From f8db15adc49c13fb6cf89cabb1ce5f3a4c255d15 Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 21 Jun 2020 17:24:29 +0100 Subject: [PATCH 001/123] add pamac support --- src/modules/packages/main.py | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index 3e29d72e1..6d81f9fe4 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -309,6 +309,24 @@ class PMPacman(PackageManager): def update_system(self): check_target_env_call(["pacman", "-Su", "--noconfirm"]) + + +class PMPamac(PackageManager): + backend = "pamac" + + def install(self, pkgs, from_local=False): + pamac_flags = "install" + + check_target_env_call([backend, pamac_flags + pkgs) + + def remove(self, pkgs): + check_target_env_call([backend, "remove"] + pkgs) + + def update_db(self): + check_target_env_call([backend, "update"]) + + def update_system(self): + check_target_env_call([backend, "upgrade"]) class PMPortage(PackageManager): From 75bba349bed99b1b65cad8079c4c22afd185060f Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 21 Jun 2020 18:03:21 +0100 Subject: [PATCH 002/123] Update main.py --- src/modules/packages/main.py | 19 +++++++++++++++---- 1 file changed, 15 insertions(+), 4 deletions(-) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index 6d81f9fe4..633cb3a0f 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -313,20 +313,31 @@ class PMPacman(PackageManager): class PMPamac(PackageManager): backend = "pamac" + + def check_db_lock(self, lock="/var/lib/pacman/db.lck"): + # In case some error or crash, the database will be locked, + # resulting in remaining packages not being installed. + import os + if os.path.exists(lock): + check_target_env_call(["rm", lock) def install(self, pkgs, from_local=False): + self.check_db_lock() pamac_flags = "install" - check_target_env_call([backend, pamac_flags + pkgs) + check_target_env_call([backend, pamac_flags, "--no-confirm"] + pkgs) def remove(self, pkgs): - check_target_env_call([backend, "remove"] + pkgs) + self.check_db_lock() + check_target_env_call([backend, "remove", "--no-confirm"] + pkgs) def update_db(self): - check_target_env_call([backend, "update"]) + self.check_db_lock() + check_target_env_call([backend, "update", "--no-confirm"]) def update_system(self): - check_target_env_call([backend, "upgrade"]) + self.check_db_lock() + check_target_env_call([backend, "upgrade", "--no-confirm"]) class PMPortage(PackageManager): From 5bb49e252d1f15555befa7aba6724744e5488cce Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 21 Jun 2020 18:28:17 +0100 Subject: [PATCH 003/123] Update main.py --- src/modules/packages/main.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index 633cb3a0f..1f4cef986 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -319,7 +319,7 @@ class PMPamac(PackageManager): # resulting in remaining packages not being installed. import os if os.path.exists(lock): - check_target_env_call(["rm", lock) + check_target_env_call(["rm", lock]) def install(self, pkgs, from_local=False): self.check_db_lock() From ddfd12019772929f8641645cd8368079263b30c8 Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 21 Jun 2020 23:43:31 +0100 Subject: [PATCH 004/123] add missing self --- src/modules/packages/main.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index 1f4cef986..f2fd135a4 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -325,19 +325,19 @@ class PMPamac(PackageManager): self.check_db_lock() pamac_flags = "install" - check_target_env_call([backend, pamac_flags, "--no-confirm"] + pkgs) + check_target_env_call([self.backend, pamac_flags, "--no-confirm"] + pkgs) def remove(self, pkgs): self.check_db_lock() - check_target_env_call([backend, "remove", "--no-confirm"] + pkgs) + check_target_env_call([self.backend, "remove", "--no-confirm"] + pkgs) def update_db(self): self.check_db_lock() - check_target_env_call([backend, "update", "--no-confirm"]) + check_target_env_call([self.backend, "update", "--no-confirm"]) def update_system(self): self.check_db_lock() - check_target_env_call([backend, "upgrade", "--no-confirm"]) + check_target_env_call([self.backend, "upgrade", "--no-confirm"]) class PMPortage(PackageManager): From 976150bc1e86ce0f033771bbd52e945910aaa4a9 Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Mon, 22 Jun 2020 00:12:02 +0100 Subject: [PATCH 005/123] simplify install code --- src/modules/packages/main.py | 6 ++---- 1 file changed, 2 insertions(+), 4 deletions(-) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index f2fd135a4..b2000ab14 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -322,10 +322,8 @@ class PMPamac(PackageManager): check_target_env_call(["rm", lock]) def install(self, pkgs, from_local=False): - self.check_db_lock() - pamac_flags = "install" - - check_target_env_call([self.backend, pamac_flags, "--no-confirm"] + pkgs) + self.check_db_lock() + check_target_env_call([self.backend, "install", "--no-confirm"] + pkgs) def remove(self, pkgs): self.check_db_lock() From 4974d8693244bd51c2b23bd89deb646e0c5916bd Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ga=C3=ABl=20PORTAY?= Date: Sat, 20 Jun 2020 20:30:22 -0400 Subject: [PATCH 006/123] [partition] Fix missing initialization of the attribute partAttributes - Initialize the attribute partAttributes to 0; it is a primitive type and it is not initialized in some constructors. Fixes commit c1b5426c6 ([partition] Add support for partition attributes). - Move implementation of default constructor to cpp. --- src/modules/partition/core/PartitionLayout.cpp | 6 ++++++ src/modules/partition/core/PartitionLayout.h | 2 +- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/src/modules/partition/core/PartitionLayout.cpp b/src/modules/partition/core/PartitionLayout.cpp index b5de916f0..367b7487a 100644 --- a/src/modules/partition/core/PartitionLayout.cpp +++ b/src/modules/partition/core/PartitionLayout.cpp @@ -85,10 +85,16 @@ PartitionLayout::addEntry( PartitionLayout::PartitionEntry entry ) return true; } +PartitionLayout::PartitionEntry::PartitionEntry() + : partAttributes( 0 ) +{ +} + PartitionLayout::PartitionEntry::PartitionEntry( const QString& size, const QString& min, const QString& max ) : partSize( size ) , partMinSize( min ) , partMaxSize( max ) + , partAttributes( 0 ) { } diff --git a/src/modules/partition/core/PartitionLayout.h b/src/modules/partition/core/PartitionLayout.h index 24c10bf97..da691d200 100644 --- a/src/modules/partition/core/PartitionLayout.h +++ b/src/modules/partition/core/PartitionLayout.h @@ -52,7 +52,7 @@ public: CalamaresUtils::Partition::PartitionSize partMaxSize; /// @brief All-zeroes PartitionEntry - PartitionEntry() {} + PartitionEntry(); /// @brief Parse @p size, @p min and @p max to their respective member variables PartitionEntry( const QString& size, const QString& min, const QString& max ); From c9f942ad673712fbdcab39622cd30579798f207a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ga=C3=ABl=20PORTAY?= Date: Sun, 21 Jun 2020 18:41:21 -0400 Subject: [PATCH 007/123] [libcalamares] Add default value to variant helpers - Some variant helpers take a default parameter if the map does not contains the given key or if the type mismatches. Make all helpers behave the same. --- src/libcalamares/utils/Variant.cpp | 41 ++++++++++++------------------ src/libcalamares/utils/Variant.h | 31 +++++++++++----------- 2 files changed, 31 insertions(+), 41 deletions(-) diff --git a/src/libcalamares/utils/Variant.cpp b/src/libcalamares/utils/Variant.cpp index c02efa9d9..18d7475f1 100644 --- a/src/libcalamares/utils/Variant.cpp +++ b/src/libcalamares/utils/Variant.cpp @@ -38,21 +38,19 @@ namespace CalamaresUtils bool getBool( const QVariantMap& map, const QString& key, bool d ) { - bool result = d; if ( map.contains( key ) ) { auto v = map.value( key ); if ( v.type() == QVariant::Bool ) { - result = v.toBool(); + return v.toBool(); } } - - return result; + return d; } QString -getString( const QVariantMap& map, const QString& key ) +getString( const QVariantMap& map, const QString& key, const QString& d ) { if ( map.contains( key ) ) { @@ -62,11 +60,11 @@ getString( const QVariantMap& map, const QString& key ) return v.toString(); } } - return QString(); + return d; } QStringList -getStringList( const QVariantMap& map, const QString& key ) +getStringList( const QVariantMap& map, const QString& key, const QStringList& d ) { if ( map.contains( key ) ) { @@ -76,60 +74,53 @@ getStringList( const QVariantMap& map, const QString& key ) return v.toStringList(); } } - return QStringList(); + return d; } qint64 getInteger( const QVariantMap& map, const QString& key, qint64 d ) { - qint64 result = d; if ( map.contains( key ) ) { auto v = map.value( key ); - result = v.toString().toLongLong(nullptr, 0); + return v.toString().toLongLong(nullptr, 0); } - - return result; + return d; } quint64 -getUnsignedInteger( const QVariantMap& map, const QString& key, quint64 u ) +getUnsignedInteger( const QVariantMap& map, const QString& key, quint64 d ) { - quint64 result = u; if ( map.contains( key ) ) { auto v = map.value( key ); - result = v.toString().toULongLong(nullptr, 0); + return v.toString().toULongLong(nullptr, 0); } - - return result; + return d; } double getDouble( const QVariantMap& map, const QString& key, double d ) { - double result = d; if ( map.contains( key ) ) { auto v = map.value( key ); if ( v.type() == QVariant::Int ) { - result = v.toInt(); + return v.toInt(); } else if ( v.type() == QVariant::Double ) { - result = v.toDouble(); + return v.toDouble(); } } - - return result; + return d; } QVariantMap -getSubMap( const QVariantMap& map, const QString& key, bool& success ) +getSubMap( const QVariantMap& map, const QString& key, bool& success, const QVariantMap& d ) { success = false; - if ( map.contains( key ) ) { auto v = map.value( key ); @@ -139,7 +130,7 @@ getSubMap( const QVariantMap& map, const QString& key, bool& success ) return v.toMap(); } } - return QVariantMap(); + return d; } } // namespace CalamaresUtils diff --git a/src/libcalamares/utils/Variant.h b/src/libcalamares/utils/Variant.h index b678a2c6e..fb9cdb205 100644 --- a/src/libcalamares/utils/Variant.h +++ b/src/libcalamares/utils/Variant.h @@ -33,45 +33,44 @@ namespace CalamaresUtils { /** - * Get a bool value from a mapping with a given key; returns the default - * if no value is stored in the map. + * Get a bool value from a mapping with a given key; returns @p d if no value. */ -DLLEXPORT bool getBool( const QVariantMap& map, const QString& key, bool d ); +DLLEXPORT bool getBool( const QVariantMap& map, const QString& key, bool d = false ); /** - * Get a string value from a mapping; returns empty QString if no value. + * Get a string value from a mapping with a given key; returns @p d if no value. */ -DLLEXPORT QString getString( const QVariantMap& map, const QString& key ); +DLLEXPORT QString getString( const QVariantMap& map, const QString& key, const QString& d = QString() ); /** - * Get a string list from a mapping; returns empty list if no value. + * Get a string list from a mapping with a given key; returns @p d if no value. */ -DLLEXPORT QStringList getStringList( const QVariantMap& map, const QString& key ); +DLLEXPORT QStringList getStringList( const QVariantMap& map, const QString& key, const QStringList& d = QStringList() ); /** - * Get an integer value from a mapping; returns @p d if no value. + * Get an integer value from a mapping with a given key; returns @p d if no value. */ -DLLEXPORT qint64 getInteger( const QVariantMap& map, const QString& key, qint64 d ); +DLLEXPORT qint64 getInteger( const QVariantMap& map, const QString& key, qint64 d = 0); /** - * Get an unsigned integer value from a mapping; returns @p u if no value. + * Get an unsigned integer value from a mapping with a given key; returns @p d if no value. */ -DLLEXPORT quint64 getUnsignedInteger( const QVariantMap& map, const QString& key, quint64 u ); +DLLEXPORT quint64 getUnsignedInteger( const QVariantMap& map, const QString& key, quint64 d = 0 ); /** - * Get a double value from a mapping (integers are converted); returns @p d if no value. + * Get a double value from a mapping with a given key (integers are converted); returns @p d if no value. */ -DLLEXPORT double getDouble( const QVariantMap& map, const QString& key, double d ); +DLLEXPORT double getDouble( const QVariantMap& map, const QString& key, double d = 0.0 ); /** - * Returns a sub-map (i.e. a nested map) from the given mapping with the + * Returns a sub-map (i.e. a nested map) from a given mapping with a * given key. @p success is set to true if the @p key exists * in @p map and converts to a map, false otherwise. * - * Returns an empty map if there is no such key or it is not a map-value. + * Returns @p d if there is no such key or it is not a map-value. * (e.g. if @p success is false). */ -DLLEXPORT QVariantMap getSubMap( const QVariantMap& map, const QString& key, bool& success ); +DLLEXPORT QVariantMap getSubMap( const QVariantMap& map, const QString& key, bool& success, const QVariantMap& d = QVariantMap() ); } // namespace CalamaresUtils #endif From 9392473fec2c56ee880a84c7215cbad6109fcdbd Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Ga=C3=ABl=20PORTAY?= Date: Tue, 16 Jun 2020 13:20:37 -0400 Subject: [PATCH 008/123] [partition] Add the GPT type and attributes to global storage --- src/modules/partition/jobs/FillGlobalStorageJob.cpp | 3 +++ 1 file changed, 3 insertions(+) diff --git a/src/modules/partition/jobs/FillGlobalStorageJob.cpp b/src/modules/partition/jobs/FillGlobalStorageJob.cpp index 1242b7804..d695a5f6a 100644 --- a/src/modules/partition/jobs/FillGlobalStorageJob.cpp +++ b/src/modules/partition/jobs/FillGlobalStorageJob.cpp @@ -93,6 +93,8 @@ mapForPartition( Partition* partition, const QString& uuid ) map[ "device" ] = partition->partitionPath(); map[ "partlabel" ] = partition->label(); map[ "partuuid" ] = partition->uuid(); + map[ "parttype" ] = partition->type(); + map[ "partattrs" ] = partition->attributes(); map[ "mountPoint" ] = PartitionInfo::mountPoint( partition ); map[ "fsName" ] = userVisibleFS( partition->fileSystem() ); map[ "fs" ] = untranslatedFS( partition->fileSystem() ); @@ -110,6 +112,7 @@ mapForPartition( Partition* partition, const QString& uuid ) using TR = Logger::DebugRow< const char* const, const QString& >; deb << Logger::SubEntry << "mapping for" << partition->partitionPath() << partition->deviceNode() << TR( "partlabel", map[ "partlabel" ].toString() ) << TR( "partuuid", map[ "partuuid" ].toString() ) + << TR( "parttype", map[ "partype" ].toString() ) << TR( "partattrs", map[ "partattrs" ].toString() ) << TR( "mountPoint:", PartitionInfo::mountPoint( partition ) ) << TR( "fs:", map[ "fs" ].toString() ) << TR( "fsName", map[ "fsName" ].toString() ) << TR( "uuid", uuid ) << TR( "claimed", map[ "claimed" ].toString() ); From 7ae55b250ca2348e57311af61c24b74d9267d9e4 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Mon, 22 Jun 2020 17:11:10 -0400 Subject: [PATCH 009/123] i18n: [calamares] Automatic merge of Transifex translations --- lang/calamares_ar.ts | 518 +++++---- lang/calamares_as.ts | 534 +++++---- lang/calamares_ast.ts | 534 +++++---- lang/calamares_az.ts | 1917 ++++++++++++++++++--------------- lang/calamares_az_AZ.ts | 1917 ++++++++++++++++++--------------- lang/calamares_be.ts | 534 +++++---- lang/calamares_bg.ts | 520 +++++---- lang/calamares_bn.ts | 516 +++++---- lang/calamares_ca.ts | 541 ++++++---- lang/calamares_ca@valencia.ts | 516 +++++---- lang/calamares_cs_CZ.ts | 534 +++++---- lang/calamares_da.ts | 541 ++++++---- lang/calamares_de.ts | 534 +++++---- lang/calamares_el.ts | 518 +++++---- lang/calamares_en.ts | 71 +- lang/calamares_en_GB.ts | 530 +++++---- lang/calamares_eo.ts | 516 +++++---- lang/calamares_es.ts | 532 +++++---- lang/calamares_es_MX.ts | 534 +++++---- lang/calamares_es_PR.ts | 516 +++++---- lang/calamares_et.ts | 530 +++++---- lang/calamares_eu.ts | 518 +++++---- lang/calamares_fa.ts | 524 +++++---- lang/calamares_fi_FI.ts | 537 +++++---- lang/calamares_fr.ts | 534 +++++---- lang/calamares_fr_CH.ts | 516 +++++---- lang/calamares_gl.ts | 530 +++++---- lang/calamares_gu.ts | 516 +++++---- lang/calamares_he.ts | 541 ++++++---- lang/calamares_hi.ts | 555 ++++++---- lang/calamares_hr.ts | 549 ++++++---- lang/calamares_hu.ts | 534 +++++---- lang/calamares_id.ts | 530 +++++---- lang/calamares_is.ts | 524 +++++---- lang/calamares_it_IT.ts | 534 +++++---- lang/calamares_ja.ts | 542 ++++++---- lang/calamares_kk.ts | 516 +++++---- lang/calamares_kn.ts | 516 +++++---- lang/calamares_ko.ts | 534 +++++---- lang/calamares_lo.ts | 516 +++++---- lang/calamares_lt.ts | 534 +++++---- lang/calamares_lv.ts | 516 +++++---- lang/calamares_mk.ts | 516 +++++---- lang/calamares_ml.ts | 534 +++++---- lang/calamares_mr.ts | 520 +++++---- lang/calamares_nb.ts | 516 +++++---- lang/calamares_ne_NP.ts | 516 +++++---- lang/calamares_nl.ts | 532 +++++---- lang/calamares_pl.ts | 532 +++++---- lang/calamares_pt_BR.ts | 534 +++++---- lang/calamares_pt_PT.ts | 534 +++++---- lang/calamares_ro.ts | 530 +++++---- lang/calamares_ru.ts | 534 +++++---- lang/calamares_sk.ts | 537 +++++---- lang/calamares_sl.ts | 516 +++++---- lang/calamares_sq.ts | 539 +++++---- lang/calamares_sr.ts | 516 +++++---- lang/calamares_sr@latin.ts | 516 +++++---- lang/calamares_sv.ts | 528 +++++---- lang/calamares_th.ts | 520 +++++---- lang/calamares_tr_TR.ts | 541 ++++++---- lang/calamares_uk.ts | 543 ++++++---- lang/calamares_ur.ts | 516 +++++---- lang/calamares_uz.ts | 516 +++++---- lang/calamares_zh_CN.ts | 534 +++++---- lang/calamares_zh_TW.ts | 541 ++++++---- 66 files changed, 22383 insertions(+), 14797 deletions(-) diff --git a/lang/calamares_ar.ts b/lang/calamares_ar.ts index 605ea441c..2e3960701 100644 --- a/lang/calamares_ar.ts +++ b/lang/calamares_ar.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install ثبت @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done انتهى @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 يشغّل الأمر %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. يشغّل عمليّة %1. - + Bad working directory path مسار سيء لمجلد العمل - + Working directory %1 for python job %2 is not readable. لا يمكن القراءة من مجلد العمل %1 الخاص بعملية بايثون %2. - + Bad main script file ملفّ السّكربت الرّئيس سيّء. - + Main script file %1 for python job %2 is not readable. ملفّ السّكربت الرّئيس %1 لمهمّة بايثون %2 لا يمكن قراءته. - + Boost.Python error in job "%1". خطأ Boost.Python في العمل "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -240,7 +245,7 @@ - + (%n second(s)) @@ -252,7 +257,7 @@ - + System-requirements checking is complete. @@ -281,13 +286,13 @@ - + &Yes &نعم - + &No &لا @@ -322,109 +327,109 @@ - + Continue with setup? الإستمرار في التثبيت؟ - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> مثبّت %1 على وشك بإجراء تعديلات على قرصك لتثبيت %2.<br/><strong>لن تستطيع التّراجع عن هذا.</strong> - + &Set up now - + &Install now &ثبت الأن - + Go &back &إرجع - + &Set up - + &Install &ثبت - + Setup is complete. Close the setup program. اكتمل الإعداد. أغلق برنامج الإعداد. - + The installation is complete. Close the installer. اكتمل التثبيت , اغلق المثبِت - + Cancel setup without changing the system. - + Cancel installation without changing the system. الغاء الـ تثبيت من دون احداث تغيير في النظام - + &Next &التالي - + &Back &رجوع - + &Done - + &Cancel &إلغاء - + Cancel setup? إلغاء الإعداد؟ - + Cancel installation? إلغاء التثبيت؟ - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. هل تريد حقًا إلغاء عملية الإعداد الحالية؟ سيتم إنهاء برنامج الإعداد وسيتم فقد جميع التغييرات. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. أتريد إلغاء عمليّة التّثبيت الحاليّة؟ @@ -434,22 +439,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type نوع الاستثناء غير معروف - + unparseable Python error خطأ بايثون لا يمكن تحليله - + unparseable Python traceback تتبّع بايثون خلفيّ لا يمكن تحليله - + Unfetchable Python error. خطأ لا يمكن الحصول علية في بايثون. @@ -466,32 +471,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information أظهر معلومات التّنقيح - + &Back &رجوع - + &Next &التالي - + &Cancel &إلغاء - + %1 Setup Program - + %1 Installer %1 المثبت @@ -688,18 +693,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -752,49 +757,49 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> لا يستوفِ هذا الحاسوب أدنى متطلّبات تثبيت %1.<br/>لا يمكن متابعة التّثبيت. <a href="#details">التّفاصيل...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. لا يستوفِ هذا الحاسوب بعض المتطلّبات المستحسنة لتثبيت %1.<br/>يمكن للمثبّت المتابعة، ولكن قد تكون بعض الميزات معطّلة. - + This program will ask you some questions and set up %2 on your computer. سيطرح البرنامج بعض الأسئلة عليك ويعدّ %2 على حاسوبك. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>مرحبًا بك في مثبّت %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1231,37 +1236,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information اضبط معلومات القسم - + Install %1 on <strong>new</strong> %2 system partition. ثبّت %1 على قسم نظام %2 <strong>جديد</strong>. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. اضطب قسم %2 <strong>جديد</strong> بنقطة الضّمّ <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. ثبّت %2 على قسم النّظام %3 ‏<strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. اضبط القسم %3 <strong>%1</strong> بنقطة الضّمّ <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. ثبّت محمّل الإقلاع على <strong>%1</strong>. - + Setting up mount points. يضبط نقاط الضّمّ. @@ -1279,32 +1284,32 @@ The installer will quit and all changes will be lost. أ&عد التّشغيل الآن - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>انتهينا.</h1><br/>لقد ثُبّت %1 على حاسوبك.<br/>يمكنك إعادة التّشغيل وفتح النّظام الجديد، أو متابعة استخدام بيئة %2 الحيّة. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1312,27 +1317,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish أنهِ - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1363,72 +1368,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source موصول بمصدر للطّاقة - + The system is not plugged in to a power source. النّظام ليس متّصلًا بمصدر للطّاقة. - + is connected to the Internet موصول بالإنترنت - + The system is not connected to the Internet. النّظام ليس موصولًا بالإنترنت - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. المثبّت لا يعمل بصلاحيّات المدير. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1776,6 +1781,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1914,6 +1929,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2501,107 +2529,107 @@ The installer will quit and all changes will be lost. الأقسام - + Install %1 <strong>alongside</strong> another operating system. ثبّت %1 <strong>جنبًا إلى جنب</strong> مع نظام تشغيل آخر. - + <strong>Erase</strong> disk and install %1. <strong>امسح</strong> القرص وثبّت %1. - + <strong>Replace</strong> a partition with %1. <strong>استبدل</strong> قسمًا ب‍ %1. - + <strong>Manual</strong> partitioning. تقسيم <strong>يدويّ</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>امسح</strong> القرص <strong>%2</strong> (%3) وثبّت %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>استبدل</strong> قسمًا على القرص <strong>%2</strong> (%3) ب‍ %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: الحاليّ: - + After: بعد: - + No EFI system partition configured لم يُضبط أيّ قسم نظام EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set راية قسم نظام EFI غير مضبوطة - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2667,65 +2695,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. معاملات نداء المهمة سيّئة. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2733,32 +2761,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown مجهول - + extended ممتدّ - + unformatted غير مهيّأ - + swap @@ -2812,6 +2835,15 @@ Output: مساحة غير مقسّمة أو جدول تقسيم مجهول + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2847,73 +2879,88 @@ Output: نموذج - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. اختر مكان تثبيت %1.<br/><font color="red">تحذير: </font>سيحذف هذا كلّ الملفّات في القسم المحدّد. - + The selected item does not appear to be a valid partition. لا يبدو العنصر المحدّد قسمًا صالحًا. - + %1 cannot be installed on empty space. Please select an existing partition. لا يمكن تثبيت %1 في مساحة فارغة. فضلًا اختر قسمًا موجودًا. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. لا يمكن تثبيت %1 على قسم ممتدّ. فضلًا اختر قسمًا أساسيًّا أو ثانويًّا. - + %1 cannot be installed on this partition. لا يمكن تثبيت %1 على هذا القسم. - + Data partition (%1) قسم البيانات (%1) - + Unknown system partition (%1) قسم نظام مجهول (%1) - + %1 system partition (%2) قسم نظام %1 ‏(%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>القسم %1 صغير جدًّا ل‍ %2. فضلًا اختر قسمًا بحجم %3 غ.بايت على الأقلّ. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>تعذّر إيجاد قسم النّظام EFI في أيّ مكان. فضلًا ارجع واستخدم التّقسيم اليدويّ لإعداد %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>سيُثبّت %1 على %2.<br/><font color="red">تحذير: </font>ستفقد كلّ البيانات على القسم %2. - + The EFI system partition at %1 will be used for starting %2. سيُستخدم قسم نظام EFI على %1 لبدء %2. - + EFI system partition: قسم نظام EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3036,12 +3083,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: لأفضل النّتائج، تحقّق من أن الحاسوب: - + System requirements متطلّبات النّظام @@ -3049,27 +3096,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> لا يستوفِ هذا الحاسوب أدنى متطلّبات تثبيت %1.<br/>لا يمكن متابعة التّثبيت. <a href="#details">التّفاصيل...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. لا يستوفِ هذا الحاسوب بعض المتطلّبات المستحسنة لتثبيت %1.<br/>يمكن للمثبّت المتابعة، ولكن قد تكون بعض الميزات معطّلة. - + This program will ask you some questions and set up %2 on your computer. سيطرح البرنامج بعض الأسئلة عليك ويعدّ %2 على حاسوبك. @@ -3352,51 +3399,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3415,7 +3491,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3424,30 +3500,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3633,42 +3709,42 @@ Output: &ملاحظات الإصدار - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>مرحبًا بك في مثبّت %1.</h1> - + %1 support %1 الدعم - + About %1 setup - + About %1 installer حول 1% المثبت - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3676,7 +3752,7 @@ Output: WelcomeQmlViewStep - + Welcome مرحبا بك @@ -3684,7 +3760,7 @@ Output: WelcomeViewStep - + Welcome مرحبا بك @@ -3713,6 +3789,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3758,6 +3854,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3809,27 +3923,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_as.ts b/lang/calamares_as.ts index 295b6d6c3..f7c0f1af0 100644 --- a/lang/calamares_as.ts +++ b/lang/calamares_as.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up চেত্ আপ - + Install ইনস্তল @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) কার্য্য বিফল হল (%1) - + Programmed job failure was explicitly requested. প্ৰগ্ৰেম কৰা কাৰ্য্যৰ বিফলতা স্পষ্টভাবে অনুৰোধ কৰা হৈছিল। @@ -143,7 +143,7 @@ Calamares::JobThread - + Done হৈ গ'ল @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) উদাহৰণ কার্য্য (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. গন্তব্য চিছটেমত '%1' কমাণ্ড চলাওক। - + Run command '%1'. '%1' কমাণ্ড চলাওক। - + Running command %1 %2 %1%2 কমাণ্ড চলি আছে @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 কাৰ্য চলি আছে। - + Bad working directory path বেয়া কৰ্মৰত ডাইৰেক্টৰী পথ - + Working directory %1 for python job %2 is not readable. %2 পাইথন কাৰ্য্যৰ %1 কৰ্মৰত ডাইৰেক্টৰী পঢ়িব নোৱাৰি।​ - + Bad main script file বেয়া মুখ্য লিপি ফাইল - + Main script file %1 for python job %2 is not readable. %2 পাইথন কাৰ্য্যৰ %1 মূখ্য লিপি ফাইল পঢ়িব নোৱাৰি। - + Boost.Python error in job "%1". "%1" কাৰ্য্যত Boost.Python ত্ৰুটি। @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i> মডিউল পৰীক্ষণৰ বাবে আৱশ্যকতাবোৰ সম্পূৰ্ণ হ'ল। + - + Waiting for %n module(s). Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. চিছ্তেমৰ বাবে প্রয়োজনীয় পৰীক্ষণ সম্পূর্ণ হ'ল। @@ -273,13 +278,13 @@ - + &Yes হয় (&Y) - + &No নহয় (&N) @@ -314,109 +319,109 @@ <br/>নিম্নোক্ত মডিউলবোৰ লোড্ কৰিৱ পৰা নগ'ল: - + Continue with setup? চেত্ আপ অব্যাহত ৰাখিব? - + Continue with installation? ইন্স্তলেচন অব্যাহত ৰাখিব? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 চেত্ আপ প্ৰগ্ৰেমটোৱে %2 চেত্ আপ কৰিবলৈ আপোনাৰ ডিস্কত সালসলনি কৰিব।<br/><strong>আপুনি এইবোৰ পিছত পূৰ্বলৈ সলনি কৰিব নোৱাৰিব।</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 ইনস্তলাৰটোৱে %2 ইনস্তল কৰিবলৈ আপোনাৰ ডিস্কত সালসলনি কৰিব।<br/><strong>আপুনি এইবোৰ পিছত পূৰ্বলৈ সলনি কৰিব নোৱাৰিব।</strong> - + &Set up now এতিয়া চেত্ আপ কৰক (&S) - + &Install now এতিয়া ইনস্তল কৰক (&I) - + Go &back উভতি যাওক (&b) - + &Set up চেত্ আপ কৰক (&S) - + &Install ইনস্তল (&I) - + Setup is complete. Close the setup program. চেত্ আপ সম্পূৰ্ণ হ'ল। প্ৰোগ্ৰেম বন্ধ কৰক। - + The installation is complete. Close the installer. ইনস্তলেচন সম্পূৰ্ণ হ'ল। ইন্স্তলাৰ বন্ধ কৰক। - + Cancel setup without changing the system. চিছ্তেম সলনি নকৰাকৈ চেত্ আপ বাতিল কৰক। - + Cancel installation without changing the system. চিছ্তেম সলনি নকৰাকৈ ইনস্তলেচন বাতিল কৰক। - + &Next পৰবর্তী (&N) - + &Back পাছলৈ (&B) - + &Done হৈ গ'ল (&D) - + &Cancel বাতিল কৰক (&C) - + Cancel setup? চেত্ আপ বাতিল কৰিব? - + Cancel installation? ইনস্তলেছন বাতিল কৰিব? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. সচাকৈয়ে চলিত চেত্ আপ প্ৰক্ৰিয়া বাতিল কৰিব বিচাৰে নেকি? চেত্ আপ প্ৰোগ্ৰেম বন্ধ হ'ব আৰু গোটেই সলনিবোৰ নোহোৱা হৈ যাব। - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. সচাকৈয়ে চলিত ইনস্তল প্ৰক্ৰিয়া বাতিল কৰিব বিচাৰে নেকি? @@ -426,22 +431,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type অপৰিচিত প্ৰকাৰৰ ব্যতিক্রম - + unparseable Python error অপ্ৰাপ্য পাইথন ত্ৰুটি - + unparseable Python traceback অপ্ৰাপ্য পাইথন ত্ৰেচবেক - + Unfetchable Python error. ঢুকি নোপোৱা পাইথন ক্ৰুটি। @@ -459,32 +464,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information দিবাগ তথ্য দেখাওক - + &Back পাছলৈ (&B) - + &Next পৰবর্তী (&N) - + &Cancel বাতিল কৰক (&C) - + %1 Setup Program %1 চেত্ আপ প্ৰোগ্ৰেম - + %1 Installer %1 ইনস্তলাৰ @@ -681,18 +686,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. কমাণ্ড চলাব পৰা নগ'ল। - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. কমাণ্ডটো হ'স্ট পৰিৱেশত চলে আৰু তাৰ বাবে ৰুট পথ জানাটো আৱশ্যক, কিন্তু rootMountPointৰ বিষয়ে একো উল্লেখ নাই। - + The command needs to know the user's name, but no username is defined. কমাণ্ডটোৱে ব্যৱহাৰকাৰীৰ নাম জনাটো আৱশ্যক, কিন্তু কোনো ব্যৱহাৰকাৰীৰ নাম উল্লেখ নাই। @@ -745,49 +750,49 @@ The installer will quit and all changes will be lost. নেটৱৰ্ক্ ইনস্তলেচন। (নিস্ক্ৰিয়: পেকেজ সুচী বিচাৰি পোৱা নগ'ল, আপোনাৰ নেটৱৰ্ক্ সংযোগ পৰীক্ষা কৰক) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> %1 চেত্ আপৰ বাবে নিম্নতম আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব নোৱাৰিব। <a href="#details">বিৱৰণ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> %1 ইনস্তলচেন​ৰ বাবে নিম্নতম আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>ইনস্তলচেন​ প্ৰক্ৰিয়া অবিৰত ৰাখিব নোৱাৰিব। <a href="#details">বিৱৰণ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. %1 চেত্ আপৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. %1 ইনস্তলচেন​ৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। ইনস্তলচেন​ অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - + This program will ask you some questions and set up %2 on your computer. এইটো প্ৰগ্ৰেমে অপোনাক কিছুমান প্ৰশ্ন সুধিব আৰু অপোনাৰ কম্পিউটাৰত %2 স্থাপন কৰিব। - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1ৰ কেলামাৰেচ চেত্ আপ প্ৰগ্ৰামলৈ আদৰণি জনাইছো।</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1> %1 চেত্ আপলৈ আদৰণি জনাইছো।</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1ৰ কেলামাৰেচ ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information বিভাজন তথ্য চেত্ কৰক - + Install %1 on <strong>new</strong> %2 system partition. <strong>নতুন</strong> %2 চিছটেম বিভাজনত %1 ইনস্তল কৰক। - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. <strong>%1</strong> মাউন্ট পইন্টৰ সৈতে <strong>নতুন</strong> %2 বিভজন স্থাপন কৰক। - + Install %2 on %3 system partition <strong>%1</strong>. %3 চিছটেম বিভাজনত <strong>%1</strong>ত %2 ইনস্তল কৰক। - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. %3 বিভাজন <strong>%1</strong> <strong>%2</strong>ৰ সৈতে স্থাপন কৰক। - + Install boot loader on <strong>%1</strong>. <strong>1%ত</strong> বুত্ লোডাৰ ইনস্তল কৰক। - + Setting up mount points. মাউন্ট পইন্ট চেত্ আপ হৈ আছে। @@ -1272,32 +1277,32 @@ The installer will quit and all changes will be lost. পুনৰাৰম্ভ কৰক (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>সকলো কৰা হ'ল।</h1> <br/>আপোনাৰ কম্পিউটাৰত %1 স্থাপন কৰা হ'ল। <br/>আপুনি এতিয়া নতুন চিছটেম ব্যৱহাৰ কৰা আৰম্ভ কৰিব পাৰিব। - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>এইটো বিকল্পত ক্লিক কৰাৰ লগে লগে আপোনাৰ চিছটেম পুনৰাৰম্ভ হ'ব যেতিয়া আপুনি <span style="font-style:italic;">হৈ গ'ল</span>ত ক্লিক কৰে বা চেত্ আপ প্ৰগ্ৰেম বন্ধ কৰে।</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>সকলো কৰা হ'ল।</h1> আপোনাৰ কম্পিউটাৰত %1 ইনস্তল কৰা হ'ল। <br/>আপুনি এতিয়া নতুন চিছটেম পুনৰাৰম্ভ কৰিব পাৰিব অথবা %2 লাইভ বাতাৱৰণ ব্যৱহাৰ কৰা অবিৰত ৰাখিব পাৰে। - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>এইটো বিকল্পত ক্লিক কৰাৰ লগে লগে আপোনাৰ চিছটেম পুনৰাৰম্ভ হ'ব যেতিয়া আপুনি <span style="font-style:italic;">হৈ গ'ল</span>ত ক্লিক কৰে বা ইনস্তলাৰ বন্ধ কৰে।</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>স্থাপন প্ৰক্ৰিয়া বিফল হ'ল।</h1> <br/>আপোনাৰ কম্পিউটাৰত %1 স্থাপন নহ'ল্। <br/>ক্ৰুটি বাৰ্তা আছিল: %2। - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>ইনস্তলচেন প্ৰক্ৰিয়া বিফল হ'ল।</h1> <br/>আপোনাৰ কম্পিউটাৰত %1 ইনস্তল নহ'ল্। <br/>ক্ৰুটি বাৰ্তা আছিল: %2। @@ -1305,27 +1310,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish সমাপ্ত - + Setup Complete চেত্ আপ সম্পুৰ্ণ হৈছে - + Installation Complete ইনস্তলচেন সম্পুৰ্ণ হ'ল - + The setup of %1 is complete. %1ৰ চেত্ আপ সম্পুৰ্ণ হৈছে। - + The installation of %1 is complete. %1ৰ ইনস্তলচেন সম্পুৰ্ণ হ'ল। @@ -1356,72 +1361,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space অতি কমেও %1 GiB খালী ঠাই ড্ৰাইভত উপলব্ধ আছে - + There is not enough drive space. At least %1 GiB is required. ড্ৰাইভত পৰ্য্যাপ্ত খালী ঠাই নাই। অতি কমেও %1 GiB আৱশ্যক। - + has at least %1 GiB working memory অতি কমেও %1 GiB কাৰ্য্যকৰি মেম'ৰি আছে - + The system does not have enough working memory. At least %1 GiB is required. চিছটেমত পৰ্য্যাপ্ত কাৰ্য্যকৰি মেম'ৰী নাই। অতি কমেও %1 GiB আৱশ্যক। - + is plugged in to a power source পাৱাৰৰ উৎসৰ লগত সংযোগ হৈ আছে। - + The system is not plugged in to a power source. চিছটেম পাৱাৰৰ উৎসৰ লগত সংযোগ হৈ থকা নাই। - + is connected to the Internet ইন্টাৰনেটৰ সৈতে সংযোগ হৈছে - + The system is not connected to the Internet. চিছটেমটো ইন্টাৰনেটৰ সৈতে সংযোগ হৈ থকা নাই। - + is running the installer as an administrator (root) ইনস্তলাৰটো প্ৰসাশনক (ৰুট) হিছাবে চলি আছে নেকি - + The setup program is not running with administrator rights. চেত্ আপ প্ৰগ্ৰেমটো প্ৰসাশনীয় অধিকাৰৰ সৈতে চলি থকা নাই। - + The installer is not running with administrator rights. ইনস্তলাৰটো প্ৰসাশনীয় অধিকাৰৰ সৈতে চলি থকা নাই। - + has a screen large enough to show the whole installer সম্পূৰ্ণ ইনস্তলাৰটো দেখাবলৈ প্ৰয়োজনীয় ডাঙৰ স্ক্ৰীণ আছে নেকি? - + The screen is too small to display the setup program. চেত্ আপ প্ৰগ্ৰেমটো প্ৰদৰ্শন কৰিবলৈ স্ক্ৰিনখনৰ আয়তন যথেস্ট সৰু। - + The screen is too small to display the installer. ইনস্তলাৰটো প্ৰদৰ্শন কৰিবলৈ স্ক্ৰিনখনৰ আয়তন যথেস্ট সৰু। @@ -1769,6 +1774,16 @@ The installer will quit and all changes will be lost. এইটো মেচিন-আইডিৰ বাবে কোনো মাউন্ট্ পইণ্ট্ট্ট্ ছেট কৰা নাই। + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ The installer will quit and all changes will be lost. <code>%1ত</code> মূল উপকৰণ নিৰ্মাতা গোট চিনক্তকাৰি চেত্ কৰক। + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ The installer will quit and all changes will be lost. বিভাজনসমুহ - + Install %1 <strong>alongside</strong> another operating system. %1ক বেলেগ এটা অপাৰেটিং চিছটেমৰ <strong>লগত </strong>ইনস্তল কৰক। - + <strong>Erase</strong> disk and install %1. ডিস্কত থকা সকলো ডাটা <strong>আতৰাওক</strong> আৰু %1 ইনস্তল কৰক। - + <strong>Replace</strong> a partition with %1. এখন বিভাজন %1ৰ লগত <strong>সলনি</strong> কৰক। - + <strong>Manual</strong> partitioning. <strong>মেনুৱেল</strong> বিভাজন। - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). %1ক <strong>%2</strong>(%3)ত ডিস্কত থকা বেলেগ অপাৰেটিং চিছটেমৰ <strong>লগত</strong> ইনস্তল কৰক। - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>%2</strong> (%3)ডিস্কত থকা সকলো ডাটা <strong>আতৰাওক</strong> আৰু %1 ইনস্তল কৰক। - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>%2</strong> (%3) ডিস্কত এখন বিভাজন %1ৰ লগত <strong>সলনি</strong> কৰক। - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>%1</strong> (%2) ডিস্কত <strong>মেনুৱেল</strong> বিভাজন। - + Disk <strong>%1</strong> (%2) ডিস্ক্ <strong>%1</strong> (%2) - + Current: বর্তমান: - + After: পিছত: - + No EFI system partition configured কোনো EFI চিছটেম বিভাজন কনফিগাৰ কৰা হোৱা নাই - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI চিছটেম বিভাজনত ফ্লেগ চেট কৰা নাই - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted বুত্ বিভাজন এনক্ৰিপ্ত্ নহয় - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. এনক্ৰিপ্তেড ৰুট বিভাজনৰ সৈতে এটা বেলেগ বুট বিভাজন চেত্ আপ কৰা হৈছিল, কিন্তু বুট বিভাজন এনক্ৰিপ্তেড কৰা হোৱা নাই। <br/><br/>এইধৰণৰ চেত্ আপ সুৰক্ষিত নহয় কাৰণ গুৰুত্ব্পুৰ্ণ চিছটেম ফাইল আন্এনক্ৰিপ্তেড বিভাজনত ৰখা হয়। <br/>আপুনি বিচাৰিলে চলাই থাকিব পাৰে কিন্তু পিছ্ত চিছটেম আৰম্ভৰ সময়ত ফাইল চিছটেম খোলা যাব। <br/>বুট বিভাজন এনক্ৰিপ্ত্ কৰিবলৈ উভতি যাওক আৰু বিভাজন বনোৱা windowত <strong>Encrypt</strong> বাচনি কৰি আকৌ বনাওক। - + has at least one disk device available. অতি কমেও এখন ডিস্ক্ উপলব্ধ আছে। - + There are no partitions to install on. @@ -2660,14 +2688,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. কমাণ্ডৰ পৰা কোনো আউটপুট পোৱা নগ'ল। - + Output: @@ -2676,52 +2704,52 @@ Output: - + External command crashed. বাহ্যিক কমাণ্ড ক্ৰেছ্ কৰিলে। - + Command <i>%1</i> crashed. <i>%1</i> কমাণ্ড ক্ৰেছ্ কৰিলে। - + External command failed to start. বাহ্যিক কমাণ্ড আৰম্ভ হোৱাত বিফল হ'ল। - + Command <i>%1</i> failed to start. <i>%1</i> কমাণ্ড আৰম্ভ হোৱাত বিফল হ'ল। - + Internal error when starting command. কমাণ্ড আৰম্ভ কৰাৰ সময়ত আভ্যন্তৰীণ ক্ৰুটি। - + Bad parameters for process job call. প্ৰক্ৰিয়া কাৰ্য্যৰ বাবে বেয়া মান। - + External command failed to finish. বাহ্যিক কমাণ্ড সমাপ্ত কৰাত বিফল হ'ল। - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> কমাণ্ড সমাপ্ত কৰাত %2 ছেকেণ্ডত বিফল হ'ল। - + External command finished with errors. বাহ্যিক কমাণ্ড ক্ৰটিৰ সৈতে সমাপ্ত হ'ল। - + Command <i>%1</i> finished with exit code %2. <i>%1</i> কমাণ্ড %2 এক্সিড্ কোডৰ সৈতে সমাপ্ত হ'ল। @@ -2729,32 +2757,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - <i>%1</i> মডিউল পৰীক্ষণৰ বাবে আৱশ্যকতাবোৰ সম্পূৰ্ণ হ'ল। - - - + unknown অজ্ঞাত - + extended প্ৰসাৰিত - + unformatted ফৰ্মেট কৰা হোৱা নাই - + swap স্ৱেপ @@ -2808,6 +2831,15 @@ Output: বিভাজন নকৰা খালী ঠাই অথবা অজ্ঞাত বিভজন তালিকা + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Output: ৰূপ - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. %1 ক'ত ইনস্তল লাগে বাচনি কৰক।<br/> <font color="red">সকীয়নি: ইয়ে বাচনি কৰা বিভাজনৰ সকলো ফাইল বিলোপ কৰিব। - + The selected item does not appear to be a valid partition. বাচনি কৰা বস্তুটো এটা বৈধ বিভাজন নহয়। - + %1 cannot be installed on empty space. Please select an existing partition. %1 খালী ঠাইত ইনস্তল কৰিব নোৱাৰি। উপস্থিতি থকা বিভাজন বাচনি কৰক। - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 প্ৰসাৰিত ঠাইত ইনস্তল কৰিব নোৱাৰি। উপস্থিতি থকা মূখ্য বা লজিকেল বিভাজন বাচনি কৰক। - + %1 cannot be installed on this partition. এইখন বিভাজনত %1 ইনস্তল কৰিব নোৱাৰি। - + Data partition (%1) ডাটা বিভাজন (%1) - + Unknown system partition (%1) অজ্ঞাত চিছটেম বিভাজন (%1) - + %1 system partition (%2) %1 চিছটেম বিভাজন (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/> %1 বিভাজনটো %2ৰ বাবে যথেষ্ট সৰু। অনুগ্ৰহ কৰি অতি কমেও %3 GiB সক্ষমতা থকা বিভাজন বাচনি কৰক। - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>এইটো চিছটেমৰ ক'তো এটা EFI চিছটেম বিভাজন বিচাৰি পোৱা নগ'ল। অনুগ্ৰহ কৰি উভতি যাওক আৰু %1 চেত্ আপ কৰিব মেনুৱেল বিভাজন ব্যৱহাৰ কৰক। - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/> %1 %2ত ইনস্তল হ'ব। <br/><font color="red">সকীয়নি​: </font>%2 বিভাজনত থকা গোটেই ডাটা বিলোপ হৈ যাব। - + The EFI system partition at %1 will be used for starting %2. %1 ত থকা EFI চিছটেম বিভাজনটো %2 আৰম্ভ কৰাৰ বাবে ব্যৱহাৰ কৰা হ'ব। - + EFI system partition: EFI চিছটেম বিভাজন: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: উত্কৃষ্ট ফলাফলৰ বাবে অনুগ্ৰহ কৰি নিশ্চিত কৰক যে এইটো কম্পিউটাৰ হয়: - + System requirements চিছটেমৰ আৱশ্যকতাবোৰ @@ -3045,27 +3092,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> %1 চেত্ আপৰ বাবে নিম্নতম আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব নোৱাৰিব। <a href="#details">বিৱৰণ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> %1 ইনস্তলচেন​ৰ বাবে নিম্নতম আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>ইনস্তলচেন​ প্ৰক্ৰিয়া অবিৰত ৰাখিব নোৱাৰিব। <a href="#details">বিৱৰণ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. %1 চেত্ আপৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। <br/>স্থাপন প্ৰক্ৰিয়া অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. %1 ইনস্তলচেন​ৰ বাবে পৰামৰ্শ দিয়া আৱশ্যকতা এই কম্পিউটাৰটোৱে পূৰ্ণ নকৰে। ইনস্তলচেন​ অবিৰত ৰাখিব পাৰিব, কিন্তু কিছুমান সুবিধা নিষ্ক্রিয় হৈ থাকিব। - + This program will ask you some questions and set up %2 on your computer. এইটো প্ৰগ্ৰেমে অপোনাক কিছুমান প্ৰশ্ন সুধিব আৰু অপোনাৰ কম্পিউটাৰত %2 স্থাপন কৰিব। @@ -3348,51 +3395,80 @@ Output: TrackingInstallJob - + Installation feedback ইনস্তল সম্বন্ধীয় প্ৰতিক্ৰিয়া - + Sending installation feedback. ইন্স্তল সম্বন্ধীয় প্ৰতিক্ৰিয়া পঠাই আছে। - + Internal error in install-tracking. ইন্স্তল-ক্ৰুটিৰ আভ্যন্তৰীণ ক্ৰুটি। - + HTTP request timed out. HTTP ৰিকুৱেস্টৰ সময় উকলি গ'ল। - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback মেচিন সম্বন্ধীয় প্ৰতিক্ৰীয়া - + Configuring machine feedback. মেচিন সম্বন্ধীয় প্ৰতিক্ৰীয়া কনফিগাৰ কৰি আছে‌। - - + + Error in machine feedback configuration. মেচিনত ফিডবেক কনফিগাৰেচনৰ ক্ৰুটি। - + Could not configure machine feedback correctly, script error %1. মেচিনৰ প্ৰতিক্ৰিয়া ঠাকভাৱে কন্ফিগাৰ কৰিব পৰা নগ'ল, লিপি ক্ৰুটি %1। - + Could not configure machine feedback correctly, Calamares error %1. মেচিনৰ প্ৰতিক্ৰিয়া ঠাকভাৱে কন্ফিগাৰ কৰিব পৰা নগ'ল, কেলামাৰেচ ক্ৰুটি %1। @@ -3411,8 +3487,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>এইটো বাচনি কৰি, ইনস্তলচেন​ৰ বিষয়ে <span style=" font-weight:600;">মুঠতে একো তথ্য</span> আপুনি নপঠায়।</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">ব্যৱহাৰকাৰীৰ অধিক তথ্য পাবলৈ ইয়াত ক্লিক কৰক</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - ইনস্তলচেন​ ট্ৰেকিংয়ে %1 কিমান ব্যৱহাৰকাৰী আছে, তেওলোকে কি কি হাৰ্ডৱেৰত %1 ইনস্তল কৰিছে আৰু (তলৰ দুটা বিকল্পৰ লগত), পছন্দৰ এপ্লিকেচনৰ তথ্য নিৰন্তৰভাৱে পোৱাত সহায় কৰে। কি পঠাব জানিবলৈ অনুগ্ৰহ কৰি প্ৰত্যেক ক্ষেত্ৰৰ পিছৰ HELP আইকণত ক্লিক্ কৰক। + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - এইটো বাচনি কৰি আপুনি ইনস্তলচেন​ আৰু হাৰ্ডৱেৰৰ বিষয়ে তথ্য পঠাব। ইনস্তলচেন​ৰ পিছত <b>এই তথ্য এবাৰ পঠোৱা হ'ব</b>। + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - এইটো বাচনি কৰি আপুনি ইনস্তলচেন​, হাৰ্ডৱেৰ আৰু এপ্লিকেচনৰ বিষয়ে <b>সময়ে সময়ে</b> %1লৈ তথ্য পঠাব। + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - এইটো বাচনি কৰি আপুনি ইনস্তলচেন​, হাৰ্ডৱেৰ, এপ্লিকেচন আৰু ব্যৱহাৰ পেটাৰ্ণৰ বিষয়ে <b>নিয়মিতভাৱে</b> %1লৈ তথ্য পঠাব। + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback প্ৰতিক্ৰিয়া @@ -3629,42 +3705,42 @@ Output: মুক্তি টোকা (&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1ৰ কেলামাৰেচ চেত্ আপ প্ৰগ্ৰামলৈ আদৰণি জনাইছো।</h1> - + <h1>Welcome to %1 setup.</h1> <h1> %1 চেত্ আপলৈ আদৰণি জনাইছো।</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1ৰ কেলামাৰেচ ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 ইনস্তলাৰলৈ আদৰণি জনাইছো।</h1> - + %1 support %1 সহায় - + About %1 setup %1 চেত্ আপ প্ৰগ্ৰামৰ বিষয়ে - + About %1 installer %1 ইনস্তলাৰৰ বিষয়ে - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Output: WelcomeQmlViewStep - + Welcome আদৰণি @@ -3680,7 +3756,7 @@ Output: WelcomeViewStep - + Welcome আদৰণি @@ -3709,6 +3785,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3754,6 +3850,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3805,27 +3919,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ast.ts b/lang/calamares_ast.ts index ec46b67e1..4b17a8a11 100644 --- a/lang/calamares_ast.ts +++ b/lang/calamares_ast.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Configuración - + Install Instalación @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Falló'l trabayu (%1) - + Programmed job failure was explicitly requested. El fallu del trabayu programáu solicitóse esplicitamente. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Fecho @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Trabayu d'exemplu (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Executando'l comandu %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Executando la operación %1. - + Bad working directory path El camín del direutoriu de trabayu ye incorreutu - + Working directory %1 for python job %2 is not readable. El direutoriu de trabayu %1 pal trabayu en Python %2 nun ye lleibe. - + Bad main script file El ficheru del script principal ye incorreutu - + Main script file %1 for python job %2 is not readable. El ficheru del script principal %1 pal trabayu en Python %2 nun ye lleibe. - + Boost.Python error in job "%1". Fallu de Boost.Python nel trabayu «%1». @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Completóse la comprobación de requirimientos del módulu <i>%1</i> + - + Waiting for %n module(s). Esperando por %n módulu @@ -236,7 +241,7 @@ - + (%n second(s)) (%n segundu) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Completóse la comprobación de los requirimientos del sistema. @@ -273,13 +278,13 @@ - + &Yes &Sí - + &No &Non @@ -314,109 +319,109 @@ <br/>Nun pudieron cargase los módulos de darréu: - + Continue with setup? ¿Siguir cola instalación? - + Continue with installation? ¿Siguir cola instalación? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> El programa d'instalación de %1 ta a piques de facer cambeos nel discu pa configurar %2.<br/><strong>Nun vas ser a desfacer estos cambeos.<strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> L'instalador de %1 ta a piques de facer cambeos nel discu pa instalar %2.<br/><strong>Nun vas ser a desfacer esos cambeos.</strong> - + &Set up now &Configurar agora - + &Install now &Instalar agora - + Go &back Dir p'&atrás - + &Set up &Configurar - + &Install &Instalar - + Setup is complete. Close the setup program. Completóse la configuración. Zarra'l programa de configuración. - + The installation is complete. Close the installer. Completóse la instalación. Zarra l'instalador. - + Cancel setup without changing the system. Encaboxa la configuración ensin camudar el sistema. - + Cancel installation without changing the system. Encaboxa la instalación ensin camudar el sistema. - + &Next &Siguiente - + &Back &Atrás - + &Done &Fecho - + &Cancel &Encaboxar - + Cancel setup? ¿Encaboxar la configuración? - + Cancel installation? ¿Encaboxar la instalación? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿De xuru que quies encaboxar el procesu actual de configuración? El programa de configuración va colar y van perdese tolos cambeos. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿De xuru que quies encaboxar el procesu actual d'instalación? @@ -426,22 +431,22 @@ L'instalador va colar y van perdese tolos cambeos. CalamaresPython::Helper - + Unknown exception type Desconozse la triba de la esceición - + unparseable Python error Fallu de Python que nun pue analizase - + unparseable Python traceback Traza inversa de Python que nun pue analizase - + Unfetchable Python error. Fallu de Python al que nun pue dise en cata. @@ -458,32 +463,32 @@ L'instalador va colar y van perdese tolos cambeos. CalamaresWindow - + Show debug information Amosar la depuración - + &Back &Atrás - + &Next &Siguiente - + &Cancel &Encaboxar - + %1 Setup Program Programa de configuración de %1 - + %1 Installer Instalador de %1 @@ -680,18 +685,18 @@ L'instalador va colar y van perdese tolos cambeos. CommandList - - + + Could not run command. Nun pudo executase'l comandu. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. El comandu execútase nel entornu del agospiu y precisa saber el camín raigañu pero nun se definió en rootMountPoint. - + The command needs to know the user's name, but no username is defined. El comandu precisa saber el nome del usuariu, pero nun se definió nengún. @@ -744,49 +749,49 @@ L'instalador va colar y van perdese tolos cambeos. Instalación per rede. (Desactivada: Nun pue dise en cata de les llistes de paquetes, comprueba la conexón a internet) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Esti ordenador nun satisfaz dalgún de los requirimientos mínimos pa configurar %1.<br/>La configuración nun pue siguir. <a href="#details">Detalles...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Esti ordenador nun satisfaz los requirimientos mínimos pa instalar %1.<br/>La instalación nun pue siguir. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Esti ordenador nun satisfaz dalgún de los requirimientos aconseyaos pa configurar %1.<br/>La configuración pue siguir pero dalgunes carauterístiques podríen desactivase. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Esti ordenador nun satisfaz dalgún requirimientu aconseyáu pa instalar %1.<br/>La instalación pue siguir pero podríen desactivase dalgunes carauterístiques. - + This program will ask you some questions and set up %2 on your computer. Esti programa va facete dalgunes entrugues y va configurar %2 nel ordenador. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Afáyate nel programa de configuración de Calamares pa %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Afáyate na configuración de %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Afáyate nel instalador Calamares de %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Afáyate nel instalador de %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ L'instalador va colar y van perdese tolos cambeos. FillGlobalStorageJob - + Set partition information Afitamientu de la información de les particiones - + Install %1 on <strong>new</strong> %2 system partition. Va instalase %1 na partición %2 <strong>nueva</strong> del sistema. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Va configurase una partición %2 <strong>nueva</strong> col puntu de montaxe <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Va instalase %2 na partición %3 del sistema de <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Va configurase la partición %3 de <strong>%1</strong> col puntu de montaxe <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Va instalase'l xestor d'arrinque en <strong>%1</strong>. - + Setting up mount points. Configurando los puntos de montaxe. @@ -1271,32 +1276,32 @@ L'instalador va colar y van perdese tolos cambeos. &Reaniciar agora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Too fecho.</h1><br/>%1 configuróse nel ordenador.<br/>Agora pues usar el sistema nuevu. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Cuando se conseña esti caxellu, el sistema va reaniciase nel intre cuando calques en <span style="font-style:italic;">Fecho</span> o zarres el programa de configuración.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Too fecho.</h1><br/>%1 instalóse nel ordenador.<br/>Agora pues renaiciar nel sistema nuevu o siguir usando l'entornu live de %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Cuando se conseña esti caxellu, el sistema va reaniciase nel intre cuando calques en <span style="font-style:italic;">Fecho</span> o zarres l'instalador.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Falló la configuración</h1><br/>%1 nun se configuró nel ordenador.<br/>El mensaxe de fallu foi: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Falló la instalación</h1><br/>%1 nun s'instaló nel ordenador.<br/>El mensaxe de fallu foi: %2. @@ -1304,27 +1309,27 @@ L'instalador va colar y van perdese tolos cambeos. FinishedViewStep - + Finish Fin - + Setup Complete Configuración completada - + Installation Complete Instalación completada - + The setup of %1 is complete. La configuración de %1 ta completada. - + The installation of %1 is complete. Completóse la instalación de %1. @@ -1355,72 +1360,72 @@ L'instalador va colar y van perdese tolos cambeos. GeneralRequirements - + has at least %1 GiB available drive space tien polo menos %1 GiB d'espaciu disponible nel discu - + There is not enough drive space. At least %1 GiB is required. Nun hai espaciu abondu nel discu. Ríquense polo menos %1 GiB. - + has at least %1 GiB working memory tien polo menos %1 GiB memoria de trabayu - + The system does not have enough working memory. At least %1 GiB is required. El sistema nun tien abonda memoria de trabayu. Ríquense polo menos %1 GiB. - + is plugged in to a power source ta enchufáu a una fonte d'enerxía - + The system is not plugged in to a power source. El sistema nun ta enchufáu a una fonte d'enerxía. - + is connected to the Internet ta coneutáu a internet - + The system is not connected to the Internet. El sistema nun ta coneutáu a internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. El programa de configuración nun ta executándose con drechos alministrativos. - + The installer is not running with administrator rights. L'instalador nun ta executándose con drechos alministrativos. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. La pantalla ye mui pequeña como p'amosar el programa de configuración. - + The screen is too small to display the installer. La pantalla ye mui pequeña como p'amosar l'instalador. @@ -1768,6 +1773,16 @@ L'instalador va colar y van perdese tolos cambeos. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ L'instalador va colar y van perdese tolos cambeos. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ L'instalador va colar y van perdese tolos cambeos. Particiones - + Install %1 <strong>alongside</strong> another operating system. Va instalase %1 <strong>xunto a</strong> otru sistema operativu. - + <strong>Erase</strong> disk and install %1. <strong>Va desaniciase</strong>'l discu y va instalase %1. - + <strong>Replace</strong> a partition with %1. <strong>Va trocase</strong> una partición con %1. - + <strong>Manual</strong> partitioning. Particionáu <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Va instalase %1 <strong>xunto a</strong> otru sistema operativu nel discu <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Va desaniciase</strong>'l discu <strong>%2</strong> (%3) y va instalase %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Va trocase</strong> una partición nel discu <strong>%2</strong> (%3) con %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionáu <strong>manual</strong> nel discu <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Discu <strong>%1</strong> (%2) - + Current: Anguaño: - + After: Dempués: - + No EFI system partition configured Nun se configuró nenguna partición del sistema EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Nun s'afitó la bandera del sistema EFI - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted La partición d'arrinque nun ta cifrada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Configuróse una partición d'arrinque xunto con una partición raigañu cifrada pero la partición d'arrinque nun ta cifrada.<br/><br/>Hai problemes de seguranza con esta triba de configuración porque los ficheros importantes del sistema caltiénense nuna partición ensin cifrar.<br/>Podríes siguir si quixeres pero'l desbloquéu del sistema de ficheros va asoceder más sero nel aniciu del sistema.<br/>Pa cifrar la partición raigañu, volvi p'atrás y recreala esbillando <strong>Cifrar</strong> na ventana de creación de particiones. - + has at least one disk device available. tien polo menos un preséu disponible d'almacenamientu - + There are no partitions to install on. Nun hai particiones nes qu'instalar. @@ -2659,14 +2687,14 @@ L'instalador va colar y van perdese tolos cambeos. ProcessResult - + There was no output from the command. El comandu nun produxo nenguna salida. - + Output: @@ -2675,52 +2703,52 @@ Salida: - + External command crashed. El comandu esternu cascó. - + Command <i>%1</i> crashed. El comandu <i>%1</i> cascó. - + External command failed to start. El comandu esternu falló al aniciar. - + Command <i>%1</i> failed to start. El comandu <i>%1</i> falló al aniciar. - + Internal error when starting command. Fallu internu al aniciar el comandu. - + Bad parameters for process job call. Los parámetros son incorreutos pa la llamada del trabayu de procesos. - + External command failed to finish. El comandu esternu finó al finar. - + Command <i>%1</i> failed to finish in %2 seconds. El comandu <i>%1</i> falló al finar en %2 segundos. - + External command finished with errors. El comandu esternu finó con fallos. - + Command <i>%1</i> finished with exit code %2. El comandu <i>%1</i> finó col códigu de salida %2. @@ -2728,32 +2756,27 @@ Salida: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Completóse la comprobación de requirimientos del módulu <i>%1</i> - - - + unknown desconozse - + extended estendida - + unformatted ensin formatiar - + swap intercambéu @@ -2807,6 +2830,15 @@ Salida: L'espaciu nun ta particionáu o nun se conoz la tabla de particiones + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Salida: Formulariu - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Esbilla ónde instalar %1.<br/><font color="red">Alvertencia:</font> esto va desaniciar tolos ficheros de la partición esbillada. - + The selected item does not appear to be a valid partition. L'elementu esbilláu nun paez ser una partición válida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 nun pue instalase nel espaciu baleru. Esbilla una partición esistente, por favor. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 nun pue instalase nuna partición estendida. Esbilla una partición primaria o llóxica esistente, por favor. - + %1 cannot be installed on this partition. %1 nun pue instalase nesta partición. - + Data partition (%1) Partición de datos (%1) - + Unknown system partition (%1) Desconozse la partición del sistema (%1) - + %1 system partition (%2) Partición %1 del sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partición %1 ye perpequeña pa %2. Esbilla una con una capacidá de polo menos %3GB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Nun pudo alcontrase per nenyures una partición del sistema EFI. Volvi p'atrás y usa'l particionáu manual pa configurar %1, por favor. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 va instalase en %2.<br/><font color="red">Alvertencia: </font>van perdese tolos datos de la partición %2. - + The EFI system partition at %1 will be used for starting %2. La partición del sistema EFI en %1 va usase p'aniciar %2. - + EFI system partition: Partición del sistema EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Salida: ResultsListDialog - + For best results, please ensure that this computer: Pa los meyores resultaos, asegúrate qu'esti ordenador: - + System requirements Requirimientos del sistema @@ -3044,27 +3091,27 @@ Salida: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Esti ordenador nun satisfaz dalgún de los requirimientos mínimos pa configurar %1.<br/>La configuración nun pue siguir. <a href="#details">Detalles...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Esti ordenador nun satisfaz los requirimientos mínimos pa instalar %1.<br/>La instalación nun pue siguir. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Esti ordenador nun satisfaz dalgún de los requirimientos aconseyaos pa configurar %1.<br/>La configuración pue siguir pero dalgunes carauterístiques podríen desactivase. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Esti ordenador nun satisfaz dalgún requirimientu aconseyáu pa instalar %1.<br/>La instalación pue siguir pero podríen desactivase dalgunes carauterístiques. - + This program will ask you some questions and set up %2 on your computer. Esti programa va facete dalgunes entrugues y va configurar %2 nel ordenador. @@ -3347,51 +3394,80 @@ Salida: TrackingInstallJob - + Installation feedback Instalación del siguimientu - + Sending installation feedback. Unviando'l siguimientu de la instalación. - + Internal error in install-tracking. Fallu internu n'install-tracking. - + HTTP request timed out. Escosó'l tiempu d'espera de la solicitú HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Siguimientu de la máquina - + Configuring machine feedback. Configurando'l siguimientu de la máquina. - - + + Error in machine feedback configuration. Fallu na configuración del siguimientu de la máquina. - + Could not configure machine feedback correctly, script error %1. Nun pudo configurase afayadizamente'l siguimientu de la máquina, fallu del script %1. - + Could not configure machine feedback correctly, Calamares error %1. Nun pudo configurase afayadizamente'l siguimientu de la máquina, fallu de Calamares %1. @@ -3410,8 +3486,8 @@ Salida: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Esbillando esto, <span style=" font-weight:600;">nun vas unviar nenguna información</span> tocante a la instalación.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3419,30 +3495,30 @@ Salida: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Calca equí pa más información tocante al siguimientu d'usuarios</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Instalar el rastrexu ayuda a %1 a saber cuantos usuarios tien, el hardware qu'usen pa instalar %1 y (coles dos opciones d'embaxo), consiguir información continua tocante a les aplicaciones preferíes. Pa ver lo que va unviase, calca l'iconu d'ayuda al llau de cada área. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Esbillando esto vas unviar la información tocante a la instalación y el hardware. Esta información <b>namás va unviase una vegada</b> tres finar la instalación. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Esbillando esto vas unviar <b>dacuando</b> la información tocante a la instalación, el hardware y les aplicaciones a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Esbillando esto vas unviar <b>davezu</b> la información tocante a la instalación, el hardware, les aplicaciones y los patrones d'usu a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Siguimientu @@ -3628,42 +3704,42 @@ Salida: Notes de &llanzamientu - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Afáyate nel programa de configuración de Calamares pa %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Afáyate na configuración de %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Afáyate nel instalador Calamares de %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Afáyate nel instalador de %1.</h1> - + %1 support Sofitu de %1 - + About %1 setup Tocante a la configuración de %1 - + About %1 installer Tocante al instalador de %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Salida: WelcomeQmlViewStep - + Welcome Acoyida @@ -3679,7 +3755,7 @@ Salida: WelcomeViewStep - + Welcome Acoyida @@ -3708,6 +3784,26 @@ Salida: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3753,6 +3849,24 @@ Salida: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3804,27 +3918,27 @@ Salida: - + About - + Support - + Known issues Problemes conocíos - + Release notes Notes del llanzamientu - + Donate diff --git a/lang/calamares_az.ts b/lang/calamares_az.ts index fc250af64..c4ab24305 100644 --- a/lang/calamares_az.ts +++ b/lang/calamares_az.ts @@ -6,17 +6,17 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - + Bu sistemin <strong>açılış mühiti</strong>.<br><br>Köhnə x86 sistemlər yalnız <strong>BIOS</strong> dəstəkləyir.<br>Müasir sistemlər isə adətən <strong>EFI</strong> istifadə edir, lakin açılış mühiti əgər uyğun rejimdə başladılmışsa, həmçinin BİOS istiafadə edə bilər. This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - + Bu sistem <strong>EFI</strong> açılış mühiti ilə başladılıb.<br><br>EFİ ilə başlamanı ayarlamaq üçün quraşdırıcı <strong>EFI Sistemi Bölməsi</strong> üzərində <strong>GRUB</strong> və ya <strong>systemd-boot</strong> kimi yükləyici istifadə etməlidir. Bunlar avtomatik olaraq seçilə bilir, lakin istədiyiniz halda diskdə bu bölmələri özünüz əl ilə seçərək bölə bilərsiniz. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - + Bu sistem <strong>BIOS</strong> açılış mühiti ilə başladılıb.<br><br>BIOS açılış mühitini ayarlamaq üçün quraşdırıcı bölmənin başlanğıcına və ya<strong>Master Boot Record</strong> üzərində <strong>GRUB</strong> və ya <strong>systemd-boot</strong> kimi yükləyici istifadə etməlidir. Əgər bunun avtomatik olaraq qurulmasını istəmirsinizsə özünüz əl ilə bölmələr yarada bilərsiniz. @@ -24,27 +24,27 @@ Master Boot Record of %1 - + %1 Əsas ön yükləyici qurmaq Boot Partition - + Ön yükləyici bölməsi System Partition - + Sistem bölməsi Do not install a boot loader - + Ön yükləyicini qurmamaq %1 (%2) - + %1 (%2) @@ -52,7 +52,7 @@ Blank Page - + Boş Səhifə @@ -60,151 +60,151 @@ Form - + Format GlobalStorage - + Ümumi yaddaş JobQueue - + Tapşırıq sırası Modules - + Modullar Type: - + Növ: none - + heç biri Interface: - + İnterfeys: Tools - + Alətlər Reload Stylesheet - + Üslub cədvəlini yenidən yükləmək Widget Tree - + Vidjetlər ağacı Debug information - + Sazlama məlumatları Calamares::ExecutionViewStep - + Set up - + Ayarlamaq - + Install - + Quraşdırmaq Calamares::FailJob - + Job failed (%1) - + Tapşırığı yerinə yetirmək mümkün olmadı (%1) - + Programmed job failure was explicitly requested. - + Proqramın işi, istifadəçi tərəfindən dayandırıldı. Calamares::JobThread - + Done - + Quraşdırılma başa çatdı Calamares::NamedJob - + Example job (%1) - + Tapşırıq nümunəsi (%1) Calamares::ProcessJob - + Run command '%1' in target system. - + '%1' əmrini hədəf sistemdə başlatmaq. - + Run command '%1'. - + '%1' əmrini başlatmaq. - + Running command %1 %2 - + %1 əmri icra olunur %2 Calamares::PythonJob - + Running %1 operation. - + %1 əməliyyatı icra olunur. - + Bad working directory path - + İş qovluğuna səhv yol - + Working directory %1 for python job %2 is not readable. - + %1 qovluğu %2 python işləri üçün açıla bilmir. - + Bad main script file - + Korlanmış əsas əmrlər faylı - + Main script file %1 for python job %2 is not readable. - + %1 Əsas əmrlər faylı %2 python işləri üçün açıla bilmir. - + Boost.Python error in job "%1". - + Boost.Python iş xətası "%1". @@ -212,41 +212,46 @@ Loading ... - + Yüklənir... QML Step <i>%1</i>. - + QML addımı <i>%1</i>. Loading failed. - + Yüklənmə alınmadı. Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i>üçün tələblərin yoxlanılması başa çatdı. + - + Waiting for %n module(s). - - - + + %n modul üçün gözləmə. + %n modul(lar) üçün gözləmə. - + (%n second(s)) - - - + + (%n saniyə(lər)) + (%n saniyə(lər)) - + System-requirements checking is complete. - + Sistem uyğunluqları yoxlaması başa çatdı. @@ -254,194 +259,196 @@ Setup Failed - + Quraşdırılma xətası Installation Failed - + Quraşdırılma alınmadı Would you like to paste the install log to the web? - + Quraşdırma jurnalını vebdə yerləşdirmək istəyirsinizmi? Error - + Xəta - + &Yes - + &Bəli - + &No - + &Xeyr &Close - + &Bağlamaq Install Log Paste URL - + Jurnal yerləşdirmə URL-nu daxil etmək The upload was unsuccessful. No web-paste was done. - + Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. Calamares Initialization Failed - + Calamares işə salına bilmədi %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - + %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. <br/>The following modules could not be loaded: - + <br/>Yüklənə bilməyən modullar aşağıdakılardır: - + Continue with setup? - + Quraşdırılma davam etdirilsin? - + Continue with installation? - + Quraşdırılma davam etdirilsin? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + &Set up now - + &İndi ayarlamaq - + &Install now - + Q&uraşdırmağa başlamaq - + Go &back - + &Geriyə - + &Set up - + A&yarlamaq - + &Install - + Qu&raşdırmaq - + Setup is complete. Close the setup program. - + Quraşdırma başa çatdı. Quraşdırma proqramını bağlayın. - + The installation is complete. Close the installer. - + Quraşdırma başa çatdı. Quraşdırıcını bağlayın. - + Cancel setup without changing the system. - + Sistemi dəyişdirmədən quraşdırmanı ləğv etmək. - + Cancel installation without changing the system. - + Sistemə dəyişiklik etmədən quraşdırmadan imtina etmək. - + &Next - + İ&rəli - + &Back - + &Geriyə - + &Done - + &Hazır - + &Cancel - + İm&tina etmək - + Cancel setup? - + Quraşdırılmadan imtina edilsin? - + Cancel installation? - + Yüklənmədən imtina edilsin? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Siz doğrudanmı hazırkı quraşdırmadan imtina etmək istəyirsiniz? +Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. - + Siz doğrudanmı hazırkı yüklənmədən imtina etmək istəyirsiniz? +Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. CalamaresPython::Helper - + Unknown exception type - + Naməlum istisna halı - + unparseable Python error - + görünməmiş python xətası - + unparseable Python traceback - + görünməmiş python izi - + Unfetchable Python error. - + Oxunmayan python xətası. @@ -450,40 +457,41 @@ The installer will quit and all changes will be lost. Install log posted to: %1 - + Quraşdırma jurnalı göndərmə ünvanı: +%1 CalamaresWindow - + Show debug information - + Sazlama məlumatlarını göstərmək - + &Back - + &Geriyə - + &Next - + İ&rəli - + &Cancel - + &İmtina etmək - + %1 Setup Program - + %1 Quraşdırıcı proqram - + %1 Installer - + %1 Quraşdırıcı @@ -491,7 +499,7 @@ The installer will quit and all changes will be lost. Gathering system information... - + Sistem məlumatları toplanır ... @@ -499,12 +507,12 @@ The installer will quit and all changes will be lost. Form - + Format Select storage de&vice: - + Yaddaş ci&hazını seçmək: @@ -512,62 +520,62 @@ The installer will quit and all changes will be lost. Current: - + Cari: After: - + Sonra: <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. Having a GPT partition table and <strong>fat32 512Mb /boot partition is a must for UEFI installs</strong>, either use an existing without formatting or create one. - + <strong>Əli ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir.</strong>ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. Reuse %1 as home partition for %2. - + %1 Ev bölməsi olaraq %2 üçün istifadə edilsin. <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - + %1 %2MB-a qədər azalacaq və %4 üçün yeni bölmə %3MB disk bölməsi yaradılacaq. Boot loader location: - + Ön yükləyici (boot) yeri: <strong>Select a partition to install on</strong> - + <strong>Quraşdırılacaq disk bölməsini seçin</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - + EFI sistem bölməsi tapılmadı. Geriyə qayıdın və %1 bölməsini əllə yaradın. The EFI system partition at %1 will be used for starting %2. - + %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. EFI system partition: - + EFI sistem bölməsi: This storage device does not seem to have an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazıda əməliyyat sistemi görünmür. Nə etmək istəyərdiniz?<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. @@ -575,7 +583,7 @@ The installer will quit and all changes will be lost. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - + <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font> hal-hazırda seçilmiş diskdəki bütün verilənləri siləcəkdir. @@ -583,7 +591,7 @@ The installer will quit and all changes will be lost. <strong>Install alongside</strong><br/>The installer will shrink a partition to make room for %1. - + <strong>Yanına quraşdırın</strong><br/>Quraşdırıcı, bölməni kiçildərək %1 üçün boş disk sahəsi yaradacaqdır. @@ -591,47 +599,47 @@ The installer will quit and all changes will be lost. <strong>Replace a partition</strong><br/>Replaces a partition with %1. - + <strong>Bölməni başqası ilə əvəzləmək</strong><br/>Bölməni %1 ilə əvəzləyir. This storage device has %1 on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda %1 var. Nə etmək istəyirsiniz?<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. This storage device already has an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda artıq bir əməliyyat sistemi var. Nə etmək istərdiniz?.<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. This storage device has multiple operating systems on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda bir neçə əməliyyat sistemi mövcuddur. Nə etmək istərdiniz? Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. No Swap - + Mübadilə bölməsi olmadan Reuse Swap - + Mövcud mübadilə bölməsini istifadə etmək Swap (no Hibernate) - + Mübadilə bölməsi (yuxu rejimi olmadan) Swap (with Hibernate) - + Mübadilə bölməsi (yuxu rejimi ilə) Swap to file - + Mübadilə faylı @@ -639,17 +647,17 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 - + %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək Clearing mounts for partitioning operations on %1. - + %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silinir. Cleared all mounts for %1 - + %1 üçün bütün qoşulma nöqtələri silindi @@ -657,41 +665,41 @@ The installer will quit and all changes will be lost. Clear all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələrini ləğv etmək. Clearing all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələri ləğv edilir. Cannot get list of temporary mounts. - + Müvəqqəti qoşulma nöqtələrinin siyahısı alına bilmədi. Cleared all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələri ləğv edildi. CommandList - - + + Could not run command. - + Əmri ictra etmək mümkün olmadı. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + Əmr quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint aşkar edilmədi. - + The command needs to know the user's name, but no username is defined. - + Əmr üçün istifadəçi adı vacibdir., lakin istifadəçi adı müəyyən edilmədi. @@ -699,92 +707,92 @@ The installer will quit and all changes will be lost. Set keyboard model to %1.<br/> - + Klaviatura modelini %1 olaraq təyin etmək.<br/> Set keyboard layout to %1/%2. - + Klaviatura qatını %1/%2 olaraq təyin etmək. The system language will be set to %1. - + Sistem dili %1 təyin ediləcək. The numbers and dates locale will be set to %1. - + Yerli say və tarix formatı %1 təyin olunacaq. Set timezone to %1/%2.<br/> - + Saat Qurşağını %1/%2 təyin etmək.<br/> Network Installation. (Disabled: Incorrect configuration) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) Network Installation. (Disabled: Received invalid groups data) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) Network Installation. (Disabled: internal error) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Daxili xəta) Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This program will ask you some questions and set up %2 on your computer. - + Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. - - <h1>Welcome to the Calamares setup program for %1.</h1> - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> - - <h1>Welcome to %1 setup.</h1> - + + <h1>Welcome to %1 setup</h1> + <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> - - <h1>Welcome to the %1 installer.</h1> - + + <h1>Welcome to the %1 installer</h1> + <h1>%1 quraşdırıcısına xoş gəldiniz</h1> @@ -792,7 +800,7 @@ The installer will quit and all changes will be lost. Contextual Processes Job - + Şəraitə bağlı proseslərlə iş @@ -800,77 +808,77 @@ The installer will quit and all changes will be lost. Create a Partition - + Bölmə yaratmaq Si&ze: - + Ö&lçüsü: MiB - + MB Partition &Type: - + Bölmənin &növləri: &Primary - + &Əsas E&xtended - + &Genişləndirilmiş Fi&le System: - + Fay&l Sistemi: LVM LV name - + LVM LV adı &Mount Point: - + Qoşul&ma Nöqtəsi: Flags: - + Bayraqlar: En&crypt - + &Şifrələmək Logical - + Məntiqi Primary - + Əsas GPT - + GPT Mountpoint already in use. Please select another one. - + Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. @@ -878,22 +886,22 @@ The installer will quit and all changes will be lost. Create new %2MiB partition on %4 (%3) with file system %1. - + %1 fayl sistemi ilə %4 (%3)-də yeni %2MB bölmə yaratmaq. Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - + <strong>%1</strong> fayl sistemi ilə <strong>%4</strong> (%3)-də yeni <strong>%2MB</strong> bölmə yaratmaq. Creating new %1 partition on %2. - + %2-də yeni %1 bölmə yaratmaq. The installer failed to create partition on disk '%1'. - + Quraşdırıcı '%1' diskində bölmə yarada bilmədi. @@ -901,27 +909,27 @@ The installer will quit and all changes will be lost. Create Partition Table - + Bölmələr Cədvəli yaratmaq Creating a new partition table will delete all existing data on the disk. - + Bölmələr Cədvəli yaratmaq bütün diskdə olan məlumatların hamısını siləcək. What kind of partition table do you want to create? - + Hansı Bölmə Cədvəli yaratmaq istəyirsiniz? Master Boot Record (MBR) - + Ön yükləmə Bölməsi (MBR) GUID Partition Table (GPT) - + GUID bölmələr cədvəli (GPT) @@ -929,22 +937,22 @@ The installer will quit and all changes will be lost. Create new %1 partition table on %2. - + %2-də yeni %1 bölmələr cədvəli yaratmaq. Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - + <strong>%2</strong> (%3)`də yeni <strong>%1</strong> bölmələr cədvəli yaratmaq. Creating new %1 partition table on %2. - + %2-də yeni %1 bölməsi yaratmaq. The installer failed to create a partition table on %1. - + Quraşdırıcı %1-də bölmələr cədvəli yarada bilmədi. @@ -952,37 +960,37 @@ The installer will quit and all changes will be lost. Create user %1 - + %1 İstifadəçi hesabı yaratmaq Create user <strong>%1</strong>. - + <strong>%1</strong> istifadəçi hesabı yaratmaq. Creating user %1. - + %1 istifadəçi hesabı yaradılır. Sudoers dir is not writable. - + Sudoers qovluğu yazıla bilən deyil. Cannot create sudoers file for writing. - + Sudoers faylını yazmaq mümkün olmadı. Cannot chmod sudoers file. - + Sudoers faylına chmod tətbiq etmək mümkün olmadı. Cannot open groups file for reading. - + Groups faylını oxumaq üçün açmaq mümkün olmadı. @@ -990,7 +998,7 @@ The installer will quit and all changes will be lost. Create Volume Group - + Tutumlar qrupu yaratmaq @@ -998,22 +1006,22 @@ The installer will quit and all changes will be lost. Create new volume group named %1. - + %1 adlı yeni tutumlar qrupu yaratmaq. Create new volume group named <strong>%1</strong>. - + <strong>%1</strong> adlı yeni tutumlar qrupu yaratmaq. Creating new volume group named %1. - + %1 adlı yeni tutumlar qrupu yaradılır. The installer failed to create a volume group named '%1'. - + Quraşdırıcı '%1' adlı tutumlar qrupu yarada bilmədi. @@ -1022,17 +1030,17 @@ The installer will quit and all changes will be lost. Deactivate volume group named %1. - + %1 adlı tutumlar qrupu qeyri-aktiv edildi. Deactivate volume group named <strong>%1</strong>. - + <strong>%1</strong> adlı tutumlar qrupunu qeyri-aktiv etmək. The installer failed to deactivate a volume group named %1. - + Quraşdırıcı %1 adlı tutumlar qrupunu qeyri-aktiv edə bilmədi. @@ -1040,22 +1048,22 @@ The installer will quit and all changes will be lost. Delete partition %1. - + %1 bölməsini silmək. Delete partition <strong>%1</strong>. - + <strong>%1</strong> bölməsini silmək. Deleting partition %1. - + %1 bölməsinin silinməsi. The installer failed to delete partition %1. - + Quraşdırıcı %1 bölməsini silə bilmədi. @@ -1063,32 +1071,32 @@ The installer will quit and all changes will be lost. This device has a <strong>%1</strong> partition table. - + Bu cihazda <strong>%1</strong> bölmələr cədvəli var. This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. - + Bu <strong>loop</strong> cihazıdır.<br><br> Bu bölmələr cədvəli olmayan saxta cihaz olub, adi faylları blok cihazı kimi istifadə etməyə imkan yaradır. Bu cür qoşulma adətən yalnız tək fayl sisteminə malik olur. This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - + Bu quraşdırıcı seçilmiş qurğuda <strong>bölmələr cədvəli aşkar edə bilmədi</strong>.<br><br>Bu cihazda ya bölmələr cədvəli yoxdur, ya bölmələr cədvəli korlanıb, ya da növü naməlumdur.<br>Bu quraşdırıcı bölmələr cədvəlini avtomatik, ya da əllə bölmək səhifəsi vasitəsi ilə yarada bilər. <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - + <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. - + Seçilmiş cihazda<strong>bölmələr cədvəli</strong> növü.<br><br>Bölmələr cədvəli növünü dəyişdirməyin yeganə yolu, bölmələr cədvəlini sıfırdan silmək və yenidən qurmaqdır, bu da saxlama cihazındakı bütün məlumatları məhv edir.<br>Quraşdırıcı siz başqa bir seçim edənədək bölmələr cədvəlinin cari vəziyyətini saxlayacaqdır.<br>Müasir sistemlər standart olaraq GPT bölümünü istifadə edir. @@ -1097,13 +1105,13 @@ The installer will quit and all changes will be lost. %1 - %2 (%3) device[name] - size[number] (device-node[name]) - + %1 - %2 (%3) %1 - (%2) device[name] - (device-node[name]) - + %1 - (%2) @@ -1111,17 +1119,17 @@ The installer will quit and all changes will be lost. Write LUKS configuration for Dracut to %1 - + %1 -də Dracut üçün LUKS tənzimləməlirini yazmaq Skip writing LUKS configuration for Dracut: "/" partition is not encrypted - + Dracut üçün LUKS tənzimləmələrini yazmağı ötürmək: "/" bölməsi şifrələnmədi Failed to open %1 - + %1 açılmadı @@ -1129,7 +1137,7 @@ The installer will quit and all changes will be lost. Dummy C++ Job - + Dummy C++ Job @@ -1137,57 +1145,57 @@ The installer will quit and all changes will be lost. Edit Existing Partition - + Mövcud bölməyə düzəliş etmək Content: - + Tərkib: &Keep - + &Saxlamaq Format - + Formatlamaq Warning: Formatting the partition will erase all existing data. - + Diqqət: Bölmənin formatlanması ondakı bütün mövcud məlumatları silir. &Mount Point: - + Qoşil&ma nöqtəsi: Si&ze: - + Ol&çü: MiB - + MB Fi&le System: - + Fay&l sistemi: Flags: - + Bayraqlar: Mountpoint already in use. Please select another one. - + Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. @@ -1195,65 +1203,65 @@ The installer will quit and all changes will be lost. Form - + Forma En&crypt system - + &Şifrələmə sistemi Passphrase - + Şifrə Confirm passphrase - + Şifrəni təsdiq edin Please enter the same passphrase in both boxes. - + Lütfən hər iki sahəyə eyni şifrəni daxil edin. FillGlobalStorageJob - + Set partition information - + Bölmə məlumatlarını ayarlamaq - + Install %1 on <strong>new</strong> %2 system partition. - + %2 <strong>yeni</strong> sistem diskinə %1 quraşdırmaq. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + %2 <strong>yeni</strong> bölməsini <strong>%1</strong> qoşulma nöqtəsi ilə ayarlamaq. - + Install %2 on %3 system partition <strong>%1</strong>. - + %3dəki <strong>%1</strong> sistem bölməsinə %2 quraşdırmaq. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + %3 bölməsinə <strong>%1</strong> ilə <strong>%2</strong> qoşulma nöqtəsi ayarlamaq. - + Install boot loader on <strong>%1</strong>. - + Ön yükləyicini <strong>%1</strong>də quraşdırmaq. - + Setting up mount points. - + Qoşulma nöqtəsini ayarlamaq. @@ -1261,70 +1269,70 @@ The installer will quit and all changes will be lost. Form - + Formatlamaq &Restart now - + &Yenidən başlatmaq - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <h1>Hər şey hazırdır.</h1><br/>%1 sizin kopyuterə qurulacaqdır.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <h1>Hər şey hazırdır.</h1><br/>%1 sizin kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcınıı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. - + <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. FinishedViewStep - + Finish - + Son - + Setup Complete - + Quraşdırma tamamlandı - + Installation Complete - + Quraşdırma tamamlandı - + The setup of %1 is complete. - + %1 quraşdırmaq başa çatdı. - + The installation of %1 is complete. - + %1in quraşdırılması başa çatdı. @@ -1332,95 +1340,95 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4. - + %4-də %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - + <strong>%3MB</strong> bölməsini <strong>%2</strong> fayl sistemi ilə <strong>%1</strong> formatlamaq. Formatting partition %1 with file system %2. - + %1 bölməsini %2 fayl sistemi ilə formatlamaq. The installer failed to format partition %1 on disk '%2'. - + Quraşdırıcı '%2' diskində %1 bölməsini formatlaya bilmədi. GeneralRequirements - + has at least %1 GiB available drive space - + ən az %1 QB disk boş sahəsi var - + There is not enough drive space. At least %1 GiB is required. - + Kifayət qədər disk sahəsi yoxdur. əƏn azı %1 QB tələb olunur. - + has at least %1 GiB working memory - + ən azı %1 QB iş yaddaşı var - + The system does not have enough working memory. At least %1 GiB is required. - + Sistemdə kifayət qədər iş yaddaşı yoxdur. Ən azı %1 GiB tələb olunur. - + is plugged in to a power source - + enerji mənbəyi qoşuludur - + The system is not plugged in to a power source. - + enerji mənbəyi qoşulmayıb. - + is connected to the Internet - + internetə qoşuludur - + The system is not connected to the Internet. - + Sistem internetə qoşulmayıb. - + is running the installer as an administrator (root) - + quraşdırıcı adminstrator (root) imtiyazları ilə başladılması - + The setup program is not running with administrator rights. - + Quraşdırıcı adminstrator imtiyazları ilə başladılmayıb. - + The installer is not running with administrator rights. - + Quraşdırıcı adminstrator imtiyazları ilə başladılmayıb. - + has a screen large enough to show the whole installer - + quraşdırıcını tam göstərmək üçün ekran kifayət qədər genişdir - + The screen is too small to display the setup program. - + Quraşdırıcı proqramı göstərmək üçün ekran çox kiçikdir. - + The screen is too small to display the installer. - + Bu quarşdırıcını göstəmək üçün ekran çox kiçikdir. @@ -1428,7 +1436,7 @@ The installer will quit and all changes will be lost. Collecting information about your machine. - + Komputeriniz haqqında məlumat toplanması. @@ -1439,22 +1447,22 @@ The installer will quit and all changes will be lost. OEM Batch Identifier - + OEM toplama identifikatoru Could not create directories <code>%1</code>. - + <code>%1</code> qovluğu yaradılmadı. Could not open file <code>%1</code>. - + <code>%1</code> faylı açılmadı. Could not write to file <code>%1</code>. - + <code>%1</code> faylına yazılmadı. @@ -1462,7 +1470,7 @@ The installer will quit and all changes will be lost. Creating initramfs with mkinitcpio. - + mkinitcpio köməyi ilə initramfs yaradılması. @@ -1470,7 +1478,7 @@ The installer will quit and all changes will be lost. Creating initramfs. - + initramfs yaradılması. @@ -1478,17 +1486,17 @@ The installer will quit and all changes will be lost. Konsole not installed - + Konsole quraşdırılmayıb Please install KDE Konsole and try again! - + Lütfən KDE Konsole tətbiqini quraşdırın və yenidən cəhd edin! Executing script: &nbsp;<code>%1</code> - + Ssenari icra olunur. &nbsp;<code>%1</code> @@ -1496,7 +1504,7 @@ The installer will quit and all changes will be lost. Script - + Ssenari @@ -1504,12 +1512,12 @@ The installer will quit and all changes will be lost. Set keyboard model to %1.<br/> - + Klaviatura modelini %1 olaraq təyin etmək.<br/> Set keyboard layout to %1/%2. - + Klaviatura qatını %1/%2 olaraq təyin etmək. @@ -1517,7 +1525,7 @@ The installer will quit and all changes will be lost. Keyboard - + Klaviatura @@ -1525,7 +1533,7 @@ The installer will quit and all changes will be lost. Keyboard - + Klaviatura @@ -1533,22 +1541,22 @@ The installer will quit and all changes will be lost. System locale setting - + Ümumi məkan ayarları The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. - + Ümumi məkan ayarları, əmrlər sətiri interfeysinin ayrıca elementləri üçün dil və kodlaşmaya təsir edir. <br/>Hazırkı seçim <strong>%1</strong>. &Cancel - + İm&tina etmək &OK - + &OK @@ -1556,42 +1564,42 @@ The installer will quit and all changes will be lost. Form - + Format <h1>License Agreement</h1> - + <h1>Lisenziya razılaşması</h1> I accept the terms and conditions above. - + Mən yuxarıda göstərilən şərtləri qəbul edirəm. Please review the End User License Agreements (EULAs). - + Lütfən lisenziya razılaşması (EULA) ilə tanış olun. This setup procedure will install proprietary software that is subject to licensing terms. - + Bu quraşdırma proseduru lisenziya şərtlərinə tabe olan xüsusi proqram təminatını quraşdıracaqdır. If you do not agree with the terms, the setup procedure cannot continue. - + Lisenziya razılaşmalarını qəbul etməsəniz quraşdırılma davam etdirilə bilməz. This setup procedure can install proprietary software that is subject to licensing terms in order to provide additional features and enhance the user experience. - + Bu quraşdırma proseduru, əlavə xüsusiyyətlər təmin etmək və istifadəçi təcrübəsini artırmaq üçün lisenziyalaşdırma şərtlərinə tabe olan xüsusi proqram təminatını quraşdıra bilər. If you do not agree with the terms, proprietary software will not be installed, and open source alternatives will be used instead. - + Şərtlərlə razılaşmasanız, xüsusi proqram quraşdırılmayacaq və bunun əvəzinə açıq mənbə kodu ilə alternativlər istifadə ediləcəkdir. @@ -1599,7 +1607,7 @@ The installer will quit and all changes will be lost. License - + Lisenziya @@ -1607,59 +1615,59 @@ The installer will quit and all changes will be lost. URL: %1 - + URL: %1 <strong>%1 driver</strong><br/>by %2 %1 is an untranslatable product name, example: Creative Audigy driver - + <strong>%1 sürücü</strong>%2 tərəfindən <strong>%1 graphics driver</strong><br/><font color="Grey">by %2</font> %1 is usually a vendor name, example: Nvidia graphics driver - + <strong>%1 grafik sürücü</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 browser plugin</strong><br/><font color="Grey">by %2</font> - + <strong>%1 brauzer əlavəsi</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 codec</strong><br/><font color="Grey">by %2</font> - + <strong>%1 kodek</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 package</strong><br/><font color="Grey">by %2</font> - + <strong>%1 paket</strong><br/><font color="Grey">%2 ərəfindən</font> <strong>%1</strong><br/><font color="Grey">by %2</font> - + <strong>%1</strong><br/><font color="Grey">%2 ərəfindən</font> File: %1 - + %1 faylı Hide license text - + Lisenziya mətnini gizlətmək Show the license text - + Lisenziya mətnini göstərmək Open license agreement in browser. - + Lisenziya razılaşmasını brauzerdə açmaq. @@ -1667,33 +1675,33 @@ The installer will quit and all changes will be lost. Region: - + Məkan: Zone: - + Zona: &Change... - + &Dəyişmək... The system language will be set to %1. - + Sistem dili %1 təyin ediləcək. The numbers and dates locale will be set to %1. - + Yerli nömrə və tarix formatı %1 təyin olunacaq. Set timezone to %1/%2.<br/> - + Saat Qurşağını %1/%2 təyin etmək.<br/> @@ -1701,7 +1709,7 @@ The installer will quit and all changes will be lost. Location - + Məkan @@ -1709,7 +1717,7 @@ The installer will quit and all changes will be lost. Location - + Məkan @@ -1717,35 +1725,35 @@ The installer will quit and all changes will be lost. Configuring LUKS key file. - + LUKS düymə faylını ayarlamaq. No partitions are defined. - + Heç bir bölmə müəyyən edilməyib. Encrypted rootfs setup error - + Kök fayl sisteminin şifrələnməsi xətası Root partition %1 is LUKS but no passphrase has been set. - + %1 Kök bölməsi LUKS-dur lakin, şifrə təyin olunmayıb. Could not create LUKS key file for root partition %1. - + %1 kök bölməsi üçün LUKS düymə faylı yaradılmadı. Could not configure LUKS key file on partition %1. - + %1 bölməsində LUKS düymə faylı tənzimlənə bilmədi. @@ -1753,17 +1761,29 @@ The installer will quit and all changes will be lost. Generate machine-id. - + Komputerin İD-ni yaratmaq. Configuration Error - + Tənzimləmə xətası No root mount point is set for MachineId. - + Komputer İD-si üçün kök qoşulma nöqtəsi təyin edilməyib. + + + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Lütfən, xəritədə üstünlük verdiyiniz yeri seçin, belə ki, quraşdırıcı sizin üçün yerli + və saat qurşağı parametrlərini təklif edə bilər. Aşağıda təklif olunan parametrləri dəqiq tənzimləyə bilərsiniz. Xəritəni sürüşdürərək axtarın. + miqyası dəyişmək üçün +/- düymələrindən və ya siçanla sürüşdürmə çubuğundan istifadə etmək. @@ -1772,97 +1792,97 @@ The installer will quit and all changes will be lost. Package selection - + Paket seçimi Office software - + Ofis proqramı Office package - + Ofis paketi Browser software - + Veb bələdçi proqramı Browser package - + Veb bələdçi paketi Web browser - + Veb bələdçi Kernel - + Nüvə Services - + Xidmətlər Login - + Giriş Desktop - + İş Masası Applications - + Tətbiqlər Communication - + Rabitə Development - + Tərtibat Office - + Ofis Multimedia - + Multimediya Internet - + Internet Theming - + Mövzular, Temalar Gaming - + Oyun Utilities - + Vasitələr, Alətlər @@ -1870,7 +1890,7 @@ The installer will quit and all changes will be lost. Notes - + Qeydlər @@ -1878,17 +1898,17 @@ The installer will quit and all changes will be lost. Ba&tch: - + Dəs&tə: <html><head/><body><p>Enter a batch-identifier here. This will be stored in the target system.</p></body></html> - + <html><head/><body><p>Dəstənin isentifikatorunu bura daxil edin. Bu hədəf sistemində saxlanılacaq.</p></body></html> <html><head/><body><h1>OEM Configuration</h1><p>Calamares will use OEM settings while configuring the target system.</p></body></html> - + <html><head/><body><h1>OEM tənzimləmələri</h1><p>Calamares hədəf sistemini tənzimləyərkən OEM ayarlarını istifadə edəcək.</p></body></html> @@ -1896,12 +1916,25 @@ The installer will quit and all changes will be lost. OEM Configuration - + OEM tənzimləmələri Set the OEM Batch Identifier to <code>%1</code>. - + OEM Dəstəsi identifikatorunu <code>%1</code>-ə ayarlamaq. + + + + Offline + + + Timezone: %1 + Saat qurşağı: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Saat qurşağının seçilə bilməsi üçün internetə qoşulduğunuza əmin olun. İnternetə qoşulduqdan sonra quraşdırıcını yenidən başladın. Aşağıdakı Dil və Yer parametrlərini dəqiq tənzimləyə bilərsiniz. @@ -1909,247 +1942,247 @@ The installer will quit and all changes will be lost. Password is too short - + Şifrə çox qısadır Password is too long - + Şifrə çox uzundur Password is too weak - + Şifrə çox zəifdir Memory allocation error when setting '%1' - + '%1' ayarlanarkən yaddaş bölgüsü xətası Memory allocation error - + Yaddaş bölgüsü xətası The password is the same as the old one - + Şifrə köhnə şifrə ilə eynidir The password is a palindrome - + Şifrə tərsinə oxunuşu ilə eynidir The password differs with case changes only - + Şifrə yalnız hal dəyişiklikləri ilə fərqlənir The password is too similar to the old one - + Şifrə köhnə şifrə ilə çox oxşardır The password contains the user name in some form - + Şifrənin tərkibində istifadəçi adı var The password contains words from the real name of the user in some form - + Şifrə istifadəçinin əsl adına oxşar sözlərdən ibarətdir The password contains forbidden words in some form - + Şifrə qadağan edilmiş sözlərdən ibarətdir The password contains less than %1 digits - + Şifrə %1-dən az rəqəmdən ibarətdir The password contains too few digits - + Şifrə çox az rəqəmdən ibarətdir The password contains less than %1 uppercase letters - + Şifrə %1-dən az böyük hərfdən ibarətdir The password contains too few uppercase letters - + Şifrə çox az böyük hərflərdən ibarətdir The password contains less than %1 lowercase letters - + Şifrə %1-dən az kiçik hərflərdən ibarətdir The password contains too few lowercase letters - + Şifrə çox az kiçik hərflərdən ibarətdir The password contains less than %1 non-alphanumeric characters - + Şifrə %1-dən az alfasayısal olmayan simvollardan ibarətdir The password contains too few non-alphanumeric characters - + Şifrə çox az alfasayısal olmayan simvollardan ibarətdir The password is shorter than %1 characters - + Şifrə %1 simvoldan qısadır The password is too short - + Şifrə çox qısadır The password is just rotated old one - + Yeni şifrə sadəcə olaraq tərsinə çevirilmiş köhnəsidir The password contains less than %1 character classes - + Şifrə %1-dən az simvol sinifindən ibarətdir The password does not contain enough character classes - + Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur The password contains more than %1 same characters consecutively - + Şifrə ardıcıl olaraq %1-dən çox eyni simvollardan ibarətdir The password contains too many same characters consecutively - + Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir The password contains more than %1 characters of the same class consecutively - + Şifrə ardıcıl olaraq eyni sinifin %1-dən çox simvolundan ibarətdir The password contains too many characters of the same class consecutively - + Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir The password contains monotonic sequence longer than %1 characters - + Şifrə %1 simvoldan uzun olan monoton ardıcıllıqdan ibarətdir The password contains too long of a monotonic character sequence - + Şifrə çox uzun monoton simvollar ardıcıllığından ibarətdir No password supplied - + Şifrə verilməyib Cannot obtain random numbers from the RNG device - + RNG cihazından təsadüfi nömrələr əldə etmək olmur Password generation failed - required entropy too low for settings - + Şifrə yaratma uğursuz oldu - ayarlar üçün tələb olunan entropiya çox aşağıdır The password fails the dictionary check - %1 - + Şifrənin lüğət yoxlaması alınmadı - %1 The password fails the dictionary check - + Şifrənin lüğət yoxlaması alınmadı Unknown setting - %1 - + Naməlum ayarlar - %1 Unknown setting - + Naməlum ayarlar Bad integer value of setting - %1 - + Ayarın pozulmuş tam dəyəri - %1 Bad integer value - + Pozulmuş tam dəyər Setting %1 is not of integer type - + %1 -i ayarı tam say deyil Setting is not of integer type - + Ayar tam say deyil Setting %1 is not of string type - + %1 ayarı sətir deyil Setting is not of string type - + Ayar sətir deyil Opening the configuration file failed - + Tənzəmləmə faylının açılması uğursuz oldu The configuration file is malformed - + Tənzimləmə faylı qüsurludur Fatal failure - + Ciddi qəza Unknown error - + Naməlum xəta Password is empty - + Şifrə böşdur @@ -2157,32 +2190,32 @@ The installer will quit and all changes will be lost. Form - + Format Product Name - + Məhsulun adı TextLabel - + Mətn nişanı Long Product Description - + Məhsulun uzun təsviri Package Selection - + Paket seçimi Please pick a product from the list. The selected product will be installed. - + Lütfən məhsulu siyahıdan seçin. Seçilmiş məhsul quraşdırılacaqdır. @@ -2190,7 +2223,7 @@ The installer will quit and all changes will be lost. Packages - + Paketlər @@ -2198,12 +2231,12 @@ The installer will quit and all changes will be lost. Name - + Adı Description - + Təsviri @@ -2211,17 +2244,17 @@ The installer will quit and all changes will be lost. Form - + Format Keyboard Model: - + Klaviatura modeli: Type here to test your keyboard - + Buraya yazaraq klaviaturanı yoxlayın @@ -2229,96 +2262,96 @@ The installer will quit and all changes will be lost. Form - + Format What is your name? - + Adınız nədir? Your Full Name - + Tam adınız What name do you want to use to log in? - + Giriş üçün hansı adı istifadə etmək istəyirsiniz? login - + giriş What is the name of this computer? - + Bu kompyuterin adı nədir? <small>This name will be used if you make the computer visible to others on a network.</small> - + <small>Əgər kompyuterinizi şəbəkə üzərindən görünən etsəniz, bu ad istifadə olunacaq.</small> Computer Name - + Kompyuterin adı Choose a password to keep your account safe. - + Hesabınızın təhlükəsizliyi üçün şifrə seçin. <small>Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals.</small> - + <small>Səhvsiz yazmaq üçün eyni şifrəni iki dəfə daxil edin. Yaxşı bir şifrə, hərflərin, nömrələrin və durğu işarələrinin qarışığından və ən azı səkkiz simvoldan ibarət olmalıdır, həmçinin müntəzəm olaraq dəyişdirilməlidir.</small> Password - + Şifrə Repeat Password - + Şifrənin təkararı When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. Require strong passwords. - + Güclü şifrələr tələb edilir. Log in automatically without asking for the password. - + Şifrə soruşmadan sistemə avtomatik daxil olmaq. Use the same password for the administrator account. - + İdarəçi hesabı üçün eyni şifrədən istifadə etmək. Choose a password for the administrator account. - + İdarəçi hesabı üçün şifrəni seçmək. <small>Enter the same password twice, so that it can be checked for typing errors.</small> - + <small>Səhvsiz yazmaq üçün eyni şifrəni iki dəfə daxil edin</small> @@ -2326,43 +2359,43 @@ The installer will quit and all changes will be lost. Root - + Root Home - + Home Boot - + Boot EFI system - + EFI sistemi Swap - + Swap - Mübadilə New partition for %1 - + %1 üçün yeni bölmə New partition - + Yeni bölmə %1 %2 size[number] filesystem[name] - + %1 %2 @@ -2371,33 +2404,33 @@ The installer will quit and all changes will be lost. Free Space - + Boş disk sahəsi New partition - + Yeni bölmə Name - + Adı File System - + Fayl sistemi Mount Point - + Qoşulma nöqtəsi Size - + Ölçüsü @@ -2405,77 +2438,78 @@ The installer will quit and all changes will be lost. Form - + Format Storage de&vice: - + Yaddaş qurğu&su: &Revert All Changes - + Bütün dəyişiklikləri &geri qaytarmaq New Partition &Table - + Yeni bölmələr &cədvəli Cre&ate - + Yar&atmaq &Edit - + Düzəliş &etmək &Delete - + &Silmək New Volume Group - + Yeni tutum qrupu Resize Volume Group - + Tutum qrupunun ölçüsünü dəyişmək Deactivate Volume Group - + Tutum qrupunu deaktiv etmək Remove Volume Group - + Tutum qrupunu silmək I&nstall boot loader on: - + Ön yükləy&icinin quraşdırılma yeri: Are you sure you want to create a new partition table on %1? - + %1-də yeni bölmə yaratmaq istədiyinizə əminsiniz? Can not create new partition - + Yeni bölmə yaradıla bilmir The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - + %1 üzərindəki bölmə cədvəlində %2 birinci disk bölümü var və artıq əlavə edilə bilməz. +Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndirilmiş bölmə əlavə edin. @@ -2483,117 +2517,117 @@ The installer will quit and all changes will be lost. Gathering system information... - + Sistem məlumatları toplanır ... Partitions - + Bölmələr - + Install %1 <strong>alongside</strong> another operating system. - + Digər əməliyyat sistemini %1 <strong>yanına</strong> quraşdırmaq. - + <strong>Erase</strong> disk and install %1. - + Diski <strong>çıxarmaq</strong> və %1 quraşdırmaq. - + <strong>Replace</strong> a partition with %1. - + Bölməni %1 ilə <strong>əvəzləmək</strong>. - + <strong>Manual</strong> partitioning. - + <strong>Əl ilə</strong> bölüşdürmə. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>%2</strong> (%3) diskində başqa əməliyyat sistemini %1 <strong>yanında</strong> quraşdırmaq. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>%2</strong> (%3) diskini <strong>çıxartmaq</strong> və %1 quraşdırmaq. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>%2</strong> (%3) diskində bölməni %1 ilə <strong>əvəzləmək</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + <strong>%1</strong> (%2) diskində <strong>əl ilə</strong> bölüşdürmə. - + Disk <strong>%1</strong> (%2) - + <strong>%1</strong> (%2) diski - + Current: - + Cari: - + After: - + Sonra: - + No EFI system partition configured - + EFI sistemi bölməsi tənzimlənməyib - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + EFİ sistemi bölməsi, %1 başlatmaq üçün vacibdir. <br/><br/>EFİ sistemi bölməsini yaratmaq üçün geriyə qayıdın və aktiv edilmiş<strong>%3</strong> bayrağı və <strong>%2</strong> qoşulma nöqtəsi ilə FAT32 fayl sistemi seçin və ya yaradın.<br/><br/>Siz EFİ sistemi bölməsi yaratmadan da davam edə bilərsiniz, lakin bu halda sisteminiz açılmaya bilər. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + %1 başlatmaq üçün EFİ sistem bölməsi vacibdir.<br/><br/>Bölmə <strong>%2</strong> qoşulma nöqtəsi ilə yaradılıb, lakin onun <strong>%3</strong> bayrağı seçilməyib.<br/>Bayrağı seçmək üçün geriyə qayıdın və bölməyə süzəliş edin.<br/><br/>Siz bayrağı seçmədən də davam edə bilərsiniz, lakin bu halda sisteminiz açılmaya bilər. - + EFI system partition flag not set - + EFİ sistem bölməsi bayraqı seçilməyib - + Option to use GPT on BIOS - + BIOS-da GPT istifadəsi seçimi - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + GPT bölmə cədvəli bütün sistemlər üçün yaxşıdır. Bu quraşdırıcı BIOS sistemləri üçün də belə bir quruluşu dəstəkləyir.<br/><br/>BİOS-da GPT bölmələr cədvəlini ayarlamaq üçün (əgər bu edilməyibsə) geriyə qayıdın və bölmələr cədvəlini GPT-yə qurun, sonra isə <strong>bios_grub</strong> bayrağı seçilmiş 8 MB-lıq formatlanmamış bölmə yaradın.<br/><br/>8 MB-lıq formatlanmamış bölmə GPT ilə BİOS sistemində %1 başlatmaq üçün lazımdır. - + Boot partition not encrypted - + Ön yükləyici bölməsi çifrələnməyib - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + Şifrəli bir kök bölməsi ilə birlikdə ayrı bir ön yükləyici bölməsi qurulub, ancaq ön yükləyici bölməsi şifrələnməyib.<br/><br/>Bu cür quraşdırma ilə bağlı təhlükəsizlik problemləri olur, çünki vacib sistem sənədləri şifrəsiz bölmədə saxlanılır.<br/>İstəyirsinizsə davam edə bilərsiniz, lakin, fayl sisteminin kilidi, sistem başladıldıqdan daha sonra açılacaqdır.<br/>Yükləmə hissəsini şifrələmək üçün geri qayıdın və bölmə yaratma pəncərəsində <strong>Şifrələmə</strong> menyusunu seçərək onu yenidən yaradın. - + has at least one disk device available. - + ən az bir disk qurğusu mövcuddur. - + There are no partitions to install on. - + Quraşdırmaq üçün bölmə yoxdur. @@ -2601,13 +2635,13 @@ The installer will quit and all changes will be lost. Plasma Look-and-Feel Job - + Plasma Xarici Görünüş Mövzusu İşləri Could not select KDE Plasma Look-and-Feel package - + KDE Plasma Xarici Görünüş paketinin seçilməsi @@ -2615,17 +2649,17 @@ The installer will quit and all changes will be lost. Form - + Format Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is set up. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - + Lütfən, KDE Plasma İş Masası üçün Xarici Görünüşü seçin. Siz həmçinin bu mərhələni ötürə və sistem qurulduqdan sonra Plasma xarici görünüşünü ayarlaya bilərsiniz. Xarici Görünüşə klikləməniz onun canlı görüntüsünü sizə göstərəcəkdir. Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is installed. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - + Lütfən, KDE Plasma İş Masası üçün Xarici Görünüşü seçin. Siz həmçinin bu mərhələni ötürə və sistem qurulduqdan sonra Plasma xarici görünüşünü ayarlaya bilərsiniz. Xarici Görünüşə klikləməniz onun canlı görüntüsünü sizə göstərəcəkdir. @@ -2633,7 +2667,7 @@ The installer will quit and all changes will be lost. Look-and-Feel - + Xarici Görünüş @@ -2641,127 +2675,125 @@ The installer will quit and all changes will be lost. Saving files for later ... - + Fayllar daha sonra saxlanılır... No files configured to save for later. - + Sonra saxlamaq üçün heç bir ayarlanan fayl yoxdur. Not all of the configured files could be preserved. - + Ayarlanan faylların hamısı saxlanıla bilməz. ProcessResult - + There was no output from the command. - + +Əmrlərdən çıxarış alınmadı. - + Output: - + +Çıxarış: + - + External command crashed. - + Xarici əmr qəzası baş verdi. - + Command <i>%1</i> crashed. - + <i>%1</i> əmrində qəza baş verdi. - + External command failed to start. - + Xarici əmr başladıla bilmədi. - + Command <i>%1</i> failed to start. - + <i>%1</i> əmri əmri başladıla bilmədi. - + Internal error when starting command. - + Əmr başlayarkən daxili xəta. - + Bad parameters for process job call. - + İş prosesini çağırmaq üçün xətalı parametr. - + External command failed to finish. - + Xarici əmr başa çatdırıla bilmədi. - + Command <i>%1</i> failed to finish in %2 seconds. - + <i>%1</i> əmrini %2 saniyədə başa çatdırmaq mümkün olmadı. - + External command finished with errors. - + Xarici əmr xəta ilə başa çatdı. - + Command <i>%1</i> finished with exit code %2. - + <i>%1</i> əmri %2 xəta kodu ilə başa çatdı. QObject - + %1 (%2) - - - - - Requirements checking for module <i>%1</i> is complete. - + %1 (%2) - + unknown - + naməlum - + extended - + genişləndirilmiş - + unformatted - + format olunmamış - + swap - + mübadilə Default Keyboard Model - + Standart Klaviatura Modeli Default - + Standart @@ -2769,37 +2801,47 @@ Output: File not found - + Fayl tapılmadı Path <pre>%1</pre> must be an absolute path. - + <pre>%1</pre> yolu mütləq bir yol olmalıdır. Could not create new random file <pre>%1</pre>. - + Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. No product - + Məhsul yoxdur No description provided. - + Təsviri verilməyib. (no mount point) - + (qoşulma nöqtəsi yoxdur) Unpartitioned space or unknown partition table - + Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli + + + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. + <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər.</p> @@ -2807,7 +2849,7 @@ Output: Remove live user from target system - + Canlı istifadəçini hədəf sistemindən silmək @@ -2816,17 +2858,17 @@ Output: Remove Volume Group named %1. - + %1 adlı Tutum Qrupunu silmək. Remove Volume Group named <strong>%1</strong>. - + <strong>%1</strong> adlı Tutum Qrupunu silmək. The installer failed to remove a volume group named '%1'. - + Quraşdırıcı "%1" adlı tutum qrupunu silə bilmədi. @@ -2834,74 +2876,91 @@ Output: Form - + Format - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + %1 quraşdırmaq yerini seşmək.<br/><font color="red">Diqqət!</font>bu seçilmiş bölmədəki bütün faylları siləcək. - + The selected item does not appear to be a valid partition. - + Seçilmiş element etibarlı bir bölüm kimi görünmür. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 böş disk sahəsinə quraşdırıla bilməz. Lütfən mövcüd bölməni seçin. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 genişləndirilmiş bölməyə quraşdırıla bilməz. Lütfən, mövcud birinci və ya məntiqi bölməni seçin. - + %1 cannot be installed on this partition. - + %1 bu bölməyə quraşdırıla bilməz. - + Data partition (%1) - + Verilənlər bölməsi (%1) - + Unknown system partition (%1) - + Naməlum sistem bölməsi (%1) - + %1 system partition (%2) - + %1 sistem bölməsi (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%4</strong><br/><br/>%1 Bölməsi %2 üçün çox kiçikdir. Lütfən, ən azı %3 QB həcmində olan bölməni seçin. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - + <strong>%2</strong><br/><br/>EFI sistem bölməsi bu sistemin heç bir yerində tapılmadı. Lütfən, geri qayıdın və %1 təyin etmək üçün əl ilə bu bölməni yaradın. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + <strong>%3</strong><br/><br/>%1, %2.bölməsində quraşdırılacaq.<br/><font color="red">Diqqət: </font>%2 bölməsindəki bütün məlumatlar itiriləcək. - + The EFI system partition at %1 will be used for starting %2. - + %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. - + EFI system partition: - + EFI sistem bölməsi: + + + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/> + Quraşdırılma davam etdirilə bilməz. </p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. + <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər.</p> @@ -2909,27 +2968,27 @@ Output: Resize Filesystem Job - + Fayl sisteminin ölçüsünü dəyişmək Invalid configuration - + Etibarsız Tənzimləmə The file-system resize job has an invalid configuration and will not run. - + Fayl sisteminin ölçüsünü dəyişmək işinin tənzimlənməsi etibarsızdır və baçladıla bilməz. KPMCore not Available - + KPMCore mövcud deyil Calamares cannot start KPMCore for the file-system resize job. - + Calamares bu fayl sisteminin ölçüsünü dəyişmək üçün KPMCore proqramını işə sala bilmir. @@ -2938,39 +2997,39 @@ Output: Resize Failed - + Ölçüsünü dəyişmə alınmadı The filesystem %1 could not be found in this system, and cannot be resized. - + %1 fayl sistemi bu sistemdə tapılmadı və ölçüsü dəyişdirilə bilmədi. The device %1 could not be found in this system, and cannot be resized. - + %1 qurğusu bu sistemdə tapılmadı və ölçüsü dəyişdirilə bilməz. The filesystem %1 cannot be resized. - + %1 fayl sisteminin ölçüsü dəyişdirilə bilmədi. The device %1 cannot be resized. - + %1 qurğusunun ölçüsü dəyişdirilə bilmədi. The filesystem %1 must be resized, but cannot. - + %1 fayl sisteminin ölçüsü dəyişdirilməlidir, lakin bu mümkün deyil. The device %1 must be resized, but cannot - + %1 qurğusunun ölçüsü dəyişdirilməlidir, lakin, bu mümkün deyil @@ -2978,22 +3037,22 @@ Output: Resize partition %1. - + %1 bölməsinin ölçüsünü dəyişmək. Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - + <strong>%2MB</strong> <strong>%1</strong> bölməsinin ölçüsünü <strong>%3MB</strong>-a dəyişmək. Resizing %2MiB partition %1 to %3MiB. - + %2 MB %1 bölməsinin ölçüsünü %3MB-a dəyişmək. The installer failed to resize partition %1 on disk '%2'. - + Quraşdırıcı %1 bölməsinin ölçüsünü "%2" diskində dəyişə bilmədi. @@ -3001,7 +3060,7 @@ Output: Resize Volume Group - + Tutum qrupunun ölçüsünü dəyişmək @@ -3010,58 +3069,58 @@ Output: Resize volume group named %1 from %2 to %3. - + %1 adlı tutum qrupunun ölçüsünü %2-dən %3-ə dəyişmək. Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - + <strong>%1</strong> adlı tutum qrupunun ölçüsünü <strong>%2</strong>-dən strong>%3</strong>-ə dəyişmək. The installer failed to resize a volume group named '%1'. - + Quraşdırıcı "%1" adlı tutum qrupunun ölçüsünü dəyişə bilmədi. ResultsListDialog - + For best results, please ensure that this computer: - + Ən yaşxı nəticə üçün lütfən, əmin olun ki, bu kompyuter: - + System requirements - + Sistem tələbləri ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This program will ask you some questions and set up %2 on your computer. - + Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. @@ -3069,12 +3128,12 @@ Output: Scanning storage devices... - + Yaddaş qurğusu axtarılır... Partitioning - + Bölüşdürmə @@ -3082,29 +3141,29 @@ Output: Set hostname %1 - + %1 host adı təyin etmək Set hostname <strong>%1</strong>. - + <strong>%1</strong> host adı təyin etmək. Setting hostname %1. - + %1 host adının ayarlanması. Internal Error - + Daxili Xəta Cannot write hostname to target system - + Host adı hədəf sistemə yazıla bilmədi @@ -3112,29 +3171,29 @@ Output: Set keyboard model to %1, layout to %2-%3 - + Klaviatura modeliini %1, qatını isə %2-%3 təyin etmək Failed to write keyboard configuration for the virtual console. - + Virtual konsol üçün klaviatura tənzimləmələrini yazmaq mümkün olmadı. Failed to write to %1 - + %1-ə yazmaq mümkün olmadı Failed to write keyboard configuration for X11. - + X11 üçün klaviatura tənzimləmələrini yazmaq mümükün olmadı. Failed to write keyboard configuration to existing /etc/default directory. - + Klaviatura tənzimləmələri möcvcud /etc/default qovluğuna yazıla bilmədi. @@ -3142,82 +3201,82 @@ Output: Set flags on partition %1. - + %1 bölməsində bayraqlar qoymaq. Set flags on %1MiB %2 partition. - + %1 MB %2 bölməsində bayraqlar qoymaq. Set flags on new partition. - + Yeni bölmədə bayraq qoymaq. Clear flags on partition <strong>%1</strong>. - + <strong>%1</strong> bölməsindəki bayraqları ləğv etmək. Clear flags on %1MiB <strong>%2</strong> partition. - + %1MB <strong>%2</strong> bölməsindəki bayraqları ləğv etmək. Clear flags on new partition. - + Yeni bölmədəki bayraqları ləğv etmək. Flag partition <strong>%1</strong> as <strong>%2</strong>. - + <strong>%1</strong> bölməsini <strong>%2</strong> kimi bayraqlamaq. Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - + %1MB <strong>%2</strong> bölməsini <strong>%3</strong> kimi bayraqlamaq. Flag new partition as <strong>%1</strong>. - + Yeni bölməni <strong>%1</strong> kimi bayraqlamaq. Clearing flags on partition <strong>%1</strong>. - + <strong>%1</strong> bölməsindəki bayraqları ləöv etmək. Clearing flags on %1MiB <strong>%2</strong> partition. - + %1MB <strong>%2</strong> bölməsindəki bayraqların ləğv edilməsi. Clearing flags on new partition. - + Yeni bölmədəki bayraqların ləğv edilməsi. Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - + <strong>%2</strong> bayraqlarının <strong>%1</strong> bölməsində ayarlanması. Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - + <strong>%3</strong> bayraqlarının %1MB <strong>%2</strong> bölməsində ayarlanması. Setting flags <strong>%1</strong> on new partition. - + <strong>%1</strong> bayraqlarının yeni bölmədə ayarlanması. The installer failed to set flags on partition %1. - + Quraşdırıcı %1 bölməsinə bayraqlar qoya bilmədi. @@ -3225,42 +3284,42 @@ Output: Set password for user %1 - + %1 istifadəçisi üçün şifrə daxil etmək Setting password for user %1. - + %1 istifadəçisi üçün şifrə ayarlamaq. Bad destination system path. - + Səhv sistem yolu təyinatı. rootMountPoint is %1 - + rootMountPoint %1-dir Cannot disable root account. - + Kök hesabını qeyri-aktiv etmək olmur. passwd terminated with error code %1. - + %1 xəta kodu ilə sonlanan şifrə. Cannot set password for user %1. - + %1 istifadəçisi üçün şifrə yaradıla bilmədi. usermod terminated with error code %1. - + usermod %1 xəta kodu ilə sonlandı. @@ -3268,37 +3327,37 @@ Output: Set timezone to %1/%2 - + Saat qurşağını %1/%2 olaraq ayarlamaq Cannot access selected timezone path. - + Seçilmiş saat qurşağı yoluna daxil olmaq mümkün deyil. Bad path: %1 - + Etibarsız yol: %1 Cannot set timezone. - + Saat qurşağını qurmaq mümkün deyil. Link creation failed, target: %1; link name: %2 - + Keçid yaradılması alınmadı, hədəf: %1; keçed adı: %2 Cannot set timezone, - + Saat qurşağı qurulmadı, Cannot open /etc/timezone for writing - + /etc/timezone qovluğu yazılmaq üçün açılmadı @@ -3306,7 +3365,7 @@ Output: Shell Processes Job - + Shell prosesləri ilə iş @@ -3315,7 +3374,7 @@ Output: %L1 / %L2 slide counter, %1 of %2 (numeric) - + %L1 / %L2 @@ -3323,12 +3382,12 @@ Output: This is an overview of what will happen once you start the setup procedure. - + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. This is an overview of what will happen once you start the install procedure. - + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. @@ -3336,59 +3395,88 @@ Output: Summary - + Nəticə TrackingInstallJob - + Installation feedback - + Quraşdırılma hesabatı - + Sending installation feedback. - + Quraşdırılma hesabatının göndərməsi. - + Internal error in install-tracking. - + install-tracking daxili xətası. - + HTTP request timed out. - + HTTP sorğusunun vaxtı keçdi. + + + + TrackingKUserFeedbackJob + + + KDE user feedback + KDE istifadəçi hesabatı + + + + Configuring KDE user feedback. + KDE istifadəçi hesabatının tənzimlənməsi. + + + + + Error in KDE user feedback configuration. + KDE istifadəçi hesabatının tənzimlənməsində xəta. + + + + Could not configure KDE user feedback correctly, script error %1. + KDE istifadəçi hesabatı düzgün tənzimlənmədi, əmr xətası %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + KDE istifadəçi hesabatı düzgün tənzimlənmədi, Calamares xətası %1. - TrackingMachineNeonJob + TrackingMachineUpdateManagerJob - + Machine feedback - + Kompyuter hesabatı - + Configuring machine feedback. - + kompyuter hesabatının tənzimlənməsi. - - + + Error in machine feedback configuration. - + Kompyuter hesabatının tənzimlənməsində xəta. - + Could not configure machine feedback correctly, script error %1. - + Kompyuter hesabatı düzgün tənzimlənmədi, əmr xətası %1. - + Could not configure machine feedback correctly, Calamares error %1. - + Kompyuter hesabatı düzgün tənzimlənmədi, Calamares xətası %1. @@ -3396,50 +3484,50 @@ Output: Form - + Format Placeholder - + Əvəzləyici - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Göndərmək üçün buraya klikləyin <span style=" font-weight:600;">quraşdırıcınız haqqında heç bir məlumat yoxdur</span>.</p></body></html> <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Click here for more information about user feedback</span></a></p></body></html> - + <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">İstifadəçi hesabatı haqqında daha çox məlumat üçün buraya klikləyin</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + İzləmə %1ə, cihazın neçə dəfə quraşdırıldığını, hansı cihazda quraşdırıldığını və hansı tətbiqlərdən istifadə olunduğunu görməyə kömək edir. Göndərilənləri görmək üçün hər sahənin yanındakı yardım işarəsini vurun. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Bunu seçərək quraşdırma və kompyuteriniz haqqında məlumat göndərəcəksiniz. Quraşdırma başa çatdıqdan sonra, bu məlumat yalnız <b>bir dəfə</b> göndəriləcəkdir. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Bu seçimdə siz vaxtaşırı <b>kompyuter</b> qurğularınız, avadanlıq və tətbiqləriniz haqqında %1-ə məlumat göndərəcəksiniz. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Bu seçimdə siz vaxtaşırı <b>istifadəçi</b> qurğularınız, avadanlıq və tətbiqləriniz haqqında %1-ə məlumat göndərəcəksiniz. TrackingViewStep - + Feedback - + Hesabat @@ -3447,47 +3535,47 @@ Output: <small>If more than one person will use this computer, you can create multiple accounts after setup.</small> - + <small>Əgər bu kompyuteri sizdən başqa şəxs istifadə edəcəkdirsə o zaman ayarlandıqdan sonra bir neçə istifadəçi hesabı yarada bilərsiniz.</small> <small>If more than one person will use this computer, you can create multiple accounts after installation.</small> - + <small>Əgər bu kompyuteri sizdən başqa şəxs istifadə edəcəkdirsə o zaman quraşdırıldıqdan sonra bir neçə istifadəçi hesabı yarada bilərsiniz.</small> Your username is too long. - + İstifadəçi adınız çox uzundur. Your username must start with a lowercase letter or underscore. - + İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. Only lowercase letters, numbers, underscore and hyphen are allowed. - + Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. Your hostname is too short. - + Host adınız çox qısadır. Your hostname is too long. - + Host adınız çox uzundur. Only letters, numbers, underscore and hyphen are allowed. - + Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. Your passwords do not match! - + Şifrənizin təkrarı eyni deyil! @@ -3495,7 +3583,7 @@ Output: Users - + İstifadəçilər @@ -3503,12 +3591,12 @@ Output: Key - + Açar Value - + Dəyər @@ -3516,52 +3604,52 @@ Output: Create Volume Group - + Tutumlar qrupu yaratmaq List of Physical Volumes - + Fiziki Tutumların siyahısı Volume Group Name: - + Tutum Qrupunun adı: Volume Group Type: - + Tutum Qrupunun Növü: Physical Extent Size: - + Fiziki boy ölçüsü: MiB - + MB Total Size: - + Ümumi Ölçü: Used Size: - + İstifadə olunanın ölçüsü: Total Sectors: - + Ümumi Bölmələr: Quantity of LVs: - + LVlərin sayı: @@ -3569,114 +3657,114 @@ Output: Form - + Format Select application and system language - + Sistem və tətbiq dilini seçmək &About - + H&aqqında Open donations website - + Maddi dəstək üçün veb səhifəsi &Donate - + Ma&ddi dəstək Open help and support website - + Kömək və dəstək veb səhifəsi &Support - + Də&stək Open issues and bug-tracking website - + Problemlər və xəta izləmə veb səhifəsi &Known issues - + &Məlum problemlər Open release notes website - + Buraxılış haqqında qeydlər veb səhifəsi &Release notes - + Bu&raxılış haqqında qeydlər - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>%1 üçün Calamares quraşdırma proqramına Xoş Gəldiniz.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>%1 quraşdırmaq üçün Xoş Gəldiniz.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1> %1 üçün Calamares quraşdırıcısına Xoş Gəldiniz.</h1> - + <h1>Welcome to the %1 installer.</h1> - + <h1>%1 quraşdırıcısına Xoş Gəldiniz.</h1> - + %1 support - + %1 dəstəyi - + About %1 setup - + %1 quraşdırması haqqında - + About %1 installer - + %1 quraşdırıcısı haqqında - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + <h1>%1</h1><br/><strong>%2<br/>%3 üçün</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Təşəkkür edirik, <a href="https://calamares.io/team/">Calamares komandasına</a> və <a href="https://www.transifex.com/calamares/calamares/">Calamares tərcüməçilər komandasına</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> tərtibatçılarının sponsoru: <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. WelcomeQmlViewStep - + Welcome - + Xoş Gəldiniz WelcomeViewStep - + Welcome - + Xoş Gəldiniz @@ -3695,12 +3783,45 @@ Output: development is sponsored by <br/> <a href='http://www.blue-systems.com/'>Blue Systems</a> - Liberating Software. - + <h1>%1</h1><br/> + <strong>%2<br/> + %3 üçün</strong><br/><br/> + Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/> + Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/> + Təşəkkür edirik,<a href='https://calamares.io/team/'>Calamares komandasına</a> + və<a href='https://www.transifex.com/calamares/calamares/'>Calamares + tərcüməçiləri komandasına</a>.<br/><br/> + <a href='https://calamares.io/'>Calamares</a> + tərtibatının sponsoru: <br/> + <a href='http://www.blue-systems.com/'>Blue Systems</a> - + Liberating Software. Back - + Geriyə + + + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Dillər</h1> </br> + Sistemin yer ayarları bəzi istifadəçi interfeysi elementləri əmrlər sətri üçün dil və simvolların ayarlanmasına təsir edir. Cari ayar: <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Yerlər</h1> </br> + Sistemin yer ayarları bəzi istifadəçi interfeysi elementləri əmrlər sətri üçün dil və simvolların ayarlanmasına təsir edir. Cari ayar: <strong>%1</strong>. + + + + Back + Geriyə @@ -3708,44 +3829,62 @@ Output: Keyboard Model - + Klaviatura Modeli Pick your preferred keyboard model or use the default one based on the detected hardware - + Üstünlük verdiyiniz klaviatura modelini seçin və ya avadanlığın özündə aşkar edilmiş standart klaviatura modelindən istifadə edin Refresh - + Yeniləmək Layouts - + Qatları Keyboard Layout - + Klaviatura Qatları Models - + Modellər Variants - + Variantlar Test your keyboard - + klaviaturanızı yoxlayın + + + + localeq + + + System language set to %1 + Sistem dilini %1 qurmaq + + + + Numbers and dates locale set to %1 + Yerli saylvə tarix formatlarını %1 qurmaq + + + + Change + Dəyişdirmək @@ -3754,7 +3893,8 @@ Output: <h3>%1</h3> <p>These are example release notes.</p> - + <h3>%1</h3> + <p>Bunlar buraxılış qeydləri nümunəsidir.</p> @@ -3782,12 +3922,32 @@ Output: </ul> <p>The vertical scrollbar is adjustable, current width set to 10.</p> - + <h3>%1</h3> + <p>Bu Flickable tərkibləri ilə RichText seçimlərində göstərilən QML faylı nümunəsidir</p> + + <p>QML RichText ilə HTML yarlığı istifadə edə bilər, Flickable daha çox toxunaqlı ekranlar üçün istifadə olunur.</p> + + <p><b>Bu qalın şriftli mətndir</b></p> + <p><i>Bu kursif şriftli mətndir</i></p> + <p><u>Bu al cizgili şriftli mətndir</u></p> + <p><center>Bu mətn mərkəzdə yerləşəcək.</center></p> + <p><s>Bu üzəri cizgilidir</s></p> + + <p>Kod nümunəsi: + <code>ls -l /home</code></p> + + <p><b>Siyahı:</b></p> + <ul> + <li>Intel CPU sistemləri</li> + <li>AMD CPU sistemləri</li> + </ul> + + <p>Şaquli sürüşmə çubuğu tənzimlənir, cari eni 10-a qurulur.</p> Back - + Geriyə @@ -3796,32 +3956,33 @@ Output: <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - + <h3>%1quraşdırıcısına <quote>%2</quote> Xoş Gəldiniz</h3> + <p>Bu proqram sizə bəzi suallar verəcək və %1 komputerinizə quraşdıracaq.</p> - + About - + Haqqında - + Support - + Dəstək - + Known issues - + Məlum problemlər - + Release notes - + Buraxılış qeydləri - + Donate - + Maddi dəstək diff --git a/lang/calamares_az_AZ.ts b/lang/calamares_az_AZ.ts index 65191f080..f329495fc 100644 --- a/lang/calamares_az_AZ.ts +++ b/lang/calamares_az_AZ.ts @@ -6,17 +6,17 @@ The <strong>boot environment</strong> of this system.<br><br>Older x86 systems only support <strong>BIOS</strong>.<br>Modern systems usually use <strong>EFI</strong>, but may also show up as BIOS if started in compatibility mode. - + Bu sistemin <strong>açılış mühiti</strong>.<br><br>Köhnə x86 sistemlər yalnız <strong>BIOS</strong> dəstəkləyir.<br>Müasir sistemlər isə adətən <strong>EFI</strong> istifadə edir, lakin açılış mühiti əgər uyğun rejimdə başladılmışsa, həmçinin BİOS istiafadə edə bilər. This system was started with an <strong>EFI</strong> boot environment.<br><br>To configure startup from an EFI environment, this installer must deploy a boot loader application, like <strong>GRUB</strong> or <strong>systemd-boot</strong> on an <strong>EFI System Partition</strong>. This is automatic, unless you choose manual partitioning, in which case you must choose it or create it on your own. - + Bu sistem <strong>EFI</strong> açılış mühiti ilə başladılıb.<br><br>EFİ ilə başlamanı ayarlamaq üçün quraşdırıcı <strong>EFI Sistemi Bölməsi</strong> üzərində <strong>GRUB</strong> və ya <strong>systemd-boot</strong> kimi yükləyici istifadə etməlidir. Bunlar avtomatik olaraq seçilə bilir, lakin istədiyiniz halda diskdə bu bölmələri özünüz əl ilə seçərək bölə bilərsiniz. This system was started with a <strong>BIOS</strong> boot environment.<br><br>To configure startup from a BIOS environment, this installer must install a boot loader, like <strong>GRUB</strong>, either at the beginning of a partition or on the <strong>Master Boot Record</strong> near the beginning of the partition table (preferred). This is automatic, unless you choose manual partitioning, in which case you must set it up on your own. - + Bu sistem <strong>BIOS</strong> açılış mühiti ilə başladılıb.<br><br>BIOS açılış mühitini ayarlamaq üçün quraşdırıcı bölmənin başlanğıcına və ya<strong>Master Boot Record</strong> üzərində <strong>GRUB</strong> və ya <strong>systemd-boot</strong> kimi yükləyici istifadə etməlidir. Əgər bunun avtomatik olaraq qurulmasını istəmirsinizsə özünüz əl ilə bölmələr yarada bilərsiniz. @@ -24,27 +24,27 @@ Master Boot Record of %1 - + %1 Əsas ön yükləyici qurmaq Boot Partition - + Ön yükləyici bölməsi System Partition - + Sistem bölməsi Do not install a boot loader - + Ön yükləyicini qurmamaq %1 (%2) - + %1 (%2) @@ -52,7 +52,7 @@ Blank Page - + Boş Səhifə @@ -60,151 +60,151 @@ Form - + Format GlobalStorage - + Ümumi yaddaş JobQueue - + Tapşırıq sırası Modules - + Modullar Type: - + Növ: none - + heç biri Interface: - + İnterfeys: Tools - + Alətlər Reload Stylesheet - + Üslub cədvəlini yenidən yükləmək Widget Tree - + Vidjetlər ağacı Debug information - + Sazlama məlumatları Calamares::ExecutionViewStep - + Set up - + Ayarlamaq - + Install - + Quraşdırmaq Calamares::FailJob - + Job failed (%1) - + Tapşırığı yerinə yetirmək mümkün olmadı (%1) - + Programmed job failure was explicitly requested. - + Proqramın işi, istifadəçi tərəfindən dayandırıldı. Calamares::JobThread - + Done - + Quraşdırılma başa çatdı Calamares::NamedJob - + Example job (%1) - + Tapşırıq nümunəsi (%1) Calamares::ProcessJob - + Run command '%1' in target system. - + '%1' əmrini hədəf sistemdə başlatmaq. - + Run command '%1'. - + '%1' əmrini başlatmaq. - + Running command %1 %2 - + %1 əmri icra olunur %2 Calamares::PythonJob - + Running %1 operation. - + %1 əməliyyatı icra olunur. - + Bad working directory path - + İş qovluğuna səhv yol - + Working directory %1 for python job %2 is not readable. - + %1 qovluğu %2 python işləri üçün açıla bilmir. - + Bad main script file - + Korlanmış əsas əmrlər faylı - + Main script file %1 for python job %2 is not readable. - + %1 Əsas əmrlər faylı %2 python işləri üçün açıla bilmir. - + Boost.Python error in job "%1". - + Boost.Python iş xətası "%1". @@ -212,41 +212,46 @@ Loading ... - + Yüklənir... QML Step <i>%1</i>. - + QML addımı <i>%1</i>. Loading failed. - + Yüklənmə alınmadı. Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i>üçün tələblərin yoxlanılması başa çatdı. + - + Waiting for %n module(s). - - - + + %n modul üçün gözləmə. + %n modul(lar) üçün gözləmə. - + (%n second(s)) - - - + + (%n saniyə(lər)) + (%n saniyə(lər)) - + System-requirements checking is complete. - + Sistem uyğunluqları yoxlaması başa çatdı. @@ -254,194 +259,196 @@ Setup Failed - + Quraşdırılma xətası Installation Failed - + Quraşdırılma alınmadı Would you like to paste the install log to the web? - + Quraşdırma jurnalını vebdə yerləşdirmək istəyirsinizmi? Error - + Xəta - + &Yes - + &Bəli - + &No - + &Xeyr &Close - + &Bağlamaq Install Log Paste URL - + Jurnal yerləşdirmə URL-nu daxil etmək The upload was unsuccessful. No web-paste was done. - + Yükləmə uğursuz oldu. Heç nə vebdə daxil edilmədi. Calamares Initialization Failed - + Calamares işə salına bilmədi %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - + %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. <br/>The following modules could not be loaded: - + <br/>Yüklənə bilməyən modullar aşağıdakılardır: - + Continue with setup? - + Quraşdırılma davam etdirilsin? - + Continue with installation? - + Quraşdırılma davam etdirilsin? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + %1 quraşdırıcı proqramı %2 quraşdırmaq üçün Sizin diskdə dəyişiklik etməyə hazırdır.<br/><strong>Bu dəyişikliyi ləğv etmək mümkün olmayacaq.</strong> - + &Set up now - + &İndi ayarlamaq - + &Install now - + Q&uraşdırmağa başlamaq - + Go &back - + &Geriyə - + &Set up - + A&yarlamaq - + &Install - + Qu&raşdırmaq - + Setup is complete. Close the setup program. - + Quraşdırma başa çatdı. Quraşdırma proqramını bağlayın. - + The installation is complete. Close the installer. - + Quraşdırma başa çatdı. Quraşdırıcını bağlayın. - + Cancel setup without changing the system. - + Sistemi dəyişdirmədən quraşdırmanı ləğv etmək. - + Cancel installation without changing the system. - + Sistemə dəyişiklik etmədən quraşdırmadan imtina etmək. - + &Next - + İ&rəli - + &Back - + &Geriyə - + &Done - + &Hazır - + &Cancel - + İm&tina etmək - + Cancel setup? - + Quraşdırılmadan imtina edilsin? - + Cancel installation? - + Yüklənmədən imtina edilsin? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Siz doğrudanmı hazırkı quraşdırmadan imtina etmək istəyirsiniz? +Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. - + Siz doğrudanmı hazırkı yüklənmədən imtina etmək istəyirsiniz? +Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. CalamaresPython::Helper - + Unknown exception type - + Naməlum istisna halı - + unparseable Python error - + görünməmiş python xətası - + unparseable Python traceback - + görünməmiş python izi - + Unfetchable Python error. - + Oxunmayan python xətası. @@ -450,40 +457,41 @@ The installer will quit and all changes will be lost. Install log posted to: %1 - + Quraşdırma jurnalı göndərmə ünvanı: +%1 CalamaresWindow - + Show debug information - + Sazlama məlumatlarını göstərmək - + &Back - + &Geriyə - + &Next - + İ&rəli - + &Cancel - + &İmtina etmək - + %1 Setup Program - + %1 Quraşdırıcı proqram - + %1 Installer - + %1 Quraşdırıcı @@ -491,7 +499,7 @@ The installer will quit and all changes will be lost. Gathering system information... - + Sistem məlumatları toplanır ... @@ -499,12 +507,12 @@ The installer will quit and all changes will be lost. Form - + Format Select storage de&vice: - + Yaddaş ci&hazını seçmək: @@ -512,62 +520,62 @@ The installer will quit and all changes will be lost. Current: - + Cari: After: - + Sonra: <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. Having a GPT partition table and <strong>fat32 512Mb /boot partition is a must for UEFI installs</strong>, either use an existing without formatting or create one. - + <strong>Əli ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir.</strong>ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. Reuse %1 as home partition for %2. - + %1 Ev bölməsi olaraq %2 üçün istifadə edilsin. <strong>Select a partition to shrink, then drag the bottom bar to resize</strong> - + <strong>Kiçiltmək üçün bir bölmə seçərək altdakı çübüğü sürüşdürərək ölçüsünü verin</strong> %1 will be shrunk to %2MiB and a new %3MiB partition will be created for %4. - + %1 %2MB-a qədər azalacaq və %4 üçün yeni bölmə %3MB disk bölməsi yaradılacaq. Boot loader location: - + Ön yükləyici (boot) yeri: <strong>Select a partition to install on</strong> - + <strong>Quraşdırılacaq disk bölməsini seçin</strong> An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - + EFI sistem bölməsi tapılmadı. Geriyə qayıdın və %1 bölməsini əllə yaradın. The EFI system partition at %1 will be used for starting %2. - + %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. EFI system partition: - + EFI sistem bölməsi: This storage device does not seem to have an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazıda əməliyyat sistemi görünmür. Nə etmək istəyərdiniz?<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. @@ -575,7 +583,7 @@ The installer will quit and all changes will be lost. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - + <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font> hal-hazırda seçilmiş diskdəki bütün verilənləri siləcəkdir. @@ -583,7 +591,7 @@ The installer will quit and all changes will be lost. <strong>Install alongside</strong><br/>The installer will shrink a partition to make room for %1. - + <strong>Yanına quraşdırın</strong><br/>Quraşdırıcı, bölməni kiçildərək %1 üçün boş disk sahəsi yaradacaqdır. @@ -591,47 +599,47 @@ The installer will quit and all changes will be lost. <strong>Replace a partition</strong><br/>Replaces a partition with %1. - + <strong>Bölməni başqası ilə əvəzləmək</strong><br/>Bölməni %1 ilə əvəzləyir. This storage device has %1 on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda %1 var. Nə etmək istəyirsiniz?<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. This storage device already has an operating system on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda artıq bir əməliyyat sistemi var. Nə etmək istərdiniz?.<br/>Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. This storage device has multiple operating systems on it. What would you like to do?<br/>You will be able to review and confirm your choices before any change is made to the storage device. - + Bu cihazda bir neçə əməliyyat sistemi mövcuddur. Nə etmək istərdiniz? Bu cihazda dəyişiklik etmədən öncə siz seçiminizi dəqiqləşdirə, dəyişə və təsdiq edə bilərsiniz. No Swap - + Mübadilə bölməsi olmadan Reuse Swap - + Mövcud mübadilə bölməsini istifadə etmək Swap (no Hibernate) - + Mübadilə bölməsi (yuxu rejimi olmadan) Swap (with Hibernate) - + Mübadilə bölməsi (yuxu rejimi ilə) Swap to file - + Mübadilə faylı @@ -639,17 +647,17 @@ The installer will quit and all changes will be lost. Clear mounts for partitioning operations on %1 - + %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silmək Clearing mounts for partitioning operations on %1. - + %1-də bölmə əməliyyatı üçün qoşulma nöqtələrini silinir. Cleared all mounts for %1 - + %1 üçün bütün qoşulma nöqtələri silindi @@ -657,41 +665,41 @@ The installer will quit and all changes will be lost. Clear all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələrini ləğv etmək. Clearing all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələri ləğv edilir. Cannot get list of temporary mounts. - + Müvəqqəti qoşulma nöqtələrinin siyahısı alına bilmədi. Cleared all temporary mounts. - + Bütün müvəqqəti qoşulma nöqtələri ləğv edildi. CommandList - - + + Could not run command. - + Əmri ictra etmək mümkün olmadı. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + Əmr quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint aşkar edilmədi. - + The command needs to know the user's name, but no username is defined. - + Əmr üçün istifadəçi adı vacibdir., lakin istifadəçi adı müəyyən edilmədi. @@ -699,92 +707,92 @@ The installer will quit and all changes will be lost. Set keyboard model to %1.<br/> - + Klaviatura modelini %1 olaraq təyin etmək.<br/> Set keyboard layout to %1/%2. - + Klaviatura qatını %1/%2 olaraq təyin etmək. The system language will be set to %1. - + Sistem dili %1 təyin ediləcək. The numbers and dates locale will be set to %1. - + Yerli say və tarix formatı %1 təyin olunacaq. Set timezone to %1/%2.<br/> - + Saat Qurşağını %1/%2 təyin etmək.<br/> Network Installation. (Disabled: Incorrect configuration) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Səhv tənzimlənmə) Network Installation. (Disabled: Received invalid groups data) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: qruplar haqqında səhv məlumatlar alındı) Network Installation. (Disabled: internal error) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: Daxili xəta) Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - + Şəbəkə üzərindən quraşdırmaq (Söndürüldü: paket siyahıları qəbul edilmir, şəbəkə bağlantınızı yoxlayın) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + Bu kompüter, %1 quraşdırılması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This program will ask you some questions and set up %2 on your computer. - + Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. - - <h1>Welcome to the Calamares setup program for %1.</h1> - + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 üçün Calamares quraşdırma proqramına xoş gəldiniz!</h1> - - <h1>Welcome to %1 setup.</h1> - + + <h1>Welcome to %1 setup</h1> + <h1>%1 quraşdırmaq üçün xoş gəldiniz</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 üçün Calamares quraşdırıcısına xoş gəldiniz!</h1> - - <h1>Welcome to the %1 installer.</h1> - + + <h1>Welcome to the %1 installer</h1> + <h1>%1 quraşdırıcısına xoş gəldiniz</h1> @@ -792,7 +800,7 @@ The installer will quit and all changes will be lost. Contextual Processes Job - + Şəraitə bağlı proseslərlə iş @@ -800,77 +808,77 @@ The installer will quit and all changes will be lost. Create a Partition - + Bölmə yaratmaq Si&ze: - + Ö&lçüsü: MiB - + MB Partition &Type: - + Bölmənin &növləri: &Primary - + &Əsas E&xtended - + &Genişləndirilmiş Fi&le System: - + Fay&l Sistemi: LVM LV name - + LVM LV adı &Mount Point: - + Qoşul&ma Nöqtəsi: Flags: - + Bayraqlar: En&crypt - + &Şifrələmək Logical - + Məntiqi Primary - + Əsas GPT - + GPT Mountpoint already in use. Please select another one. - + Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. @@ -878,22 +886,22 @@ The installer will quit and all changes will be lost. Create new %2MiB partition on %4 (%3) with file system %1. - + %1 fayl sistemi ilə %4 (%3)-də yeni %2MB bölmə yaratmaq. Create new <strong>%2MiB</strong> partition on <strong>%4</strong> (%3) with file system <strong>%1</strong>. - + <strong>%1</strong> fayl sistemi ilə <strong>%4</strong> (%3)-də yeni <strong>%2MB</strong> bölmə yaratmaq. Creating new %1 partition on %2. - + %2-də yeni %1 bölmə yaratmaq. The installer failed to create partition on disk '%1'. - + Quraşdırıcı '%1' diskində bölmə yarada bilmədi. @@ -901,27 +909,27 @@ The installer will quit and all changes will be lost. Create Partition Table - + Bölmələr Cədvəli yaratmaq Creating a new partition table will delete all existing data on the disk. - + Bölmələr Cədvəli yaratmaq bütün diskdə olan məlumatların hamısını siləcək. What kind of partition table do you want to create? - + Hansı Bölmə Cədvəli yaratmaq istəyirsiniz? Master Boot Record (MBR) - + Ön yükləmə Bölməsi (MBR) GUID Partition Table (GPT) - + GUID bölmələr cədvəli (GPT) @@ -929,22 +937,22 @@ The installer will quit and all changes will be lost. Create new %1 partition table on %2. - + %2-də yeni %1 bölmələr cədvəli yaratmaq. Create new <strong>%1</strong> partition table on <strong>%2</strong> (%3). - + <strong>%2</strong> (%3)`də yeni <strong>%1</strong> bölmələr cədvəli yaratmaq. Creating new %1 partition table on %2. - + %2-də yeni %1 bölməsi yaratmaq. The installer failed to create a partition table on %1. - + Quraşdırıcı %1-də bölmələr cədvəli yarada bilmədi. @@ -952,37 +960,37 @@ The installer will quit and all changes will be lost. Create user %1 - + %1 İstifadəçi hesabı yaratmaq Create user <strong>%1</strong>. - + <strong>%1</strong> istifadəçi hesabı yaratmaq. Creating user %1. - + %1 istifadəçi hesabı yaradılır. Sudoers dir is not writable. - + Sudoers qovluğu yazıla bilən deyil. Cannot create sudoers file for writing. - + Sudoers faylını yazmaq mümkün olmadı. Cannot chmod sudoers file. - + Sudoers faylına chmod tətbiq etmək mümkün olmadı. Cannot open groups file for reading. - + Groups faylını oxumaq üçün açmaq mümkün olmadı. @@ -990,7 +998,7 @@ The installer will quit and all changes will be lost. Create Volume Group - + Tutumlar qrupu yaratmaq @@ -998,22 +1006,22 @@ The installer will quit and all changes will be lost. Create new volume group named %1. - + %1 adlı yeni tutumlar qrupu yaratmaq. Create new volume group named <strong>%1</strong>. - + <strong>%1</strong> adlı yeni tutumlar qrupu yaratmaq. Creating new volume group named %1. - + %1 adlı yeni tutumlar qrupu yaradılır. The installer failed to create a volume group named '%1'. - + Quraşdırıcı '%1' adlı tutumlar qrupu yarada bilmədi. @@ -1022,17 +1030,17 @@ The installer will quit and all changes will be lost. Deactivate volume group named %1. - + %1 adlı tutumlar qrupu qeyri-aktiv edildi. Deactivate volume group named <strong>%1</strong>. - + <strong>%1</strong> adlı tutumlar qrupunu qeyri-aktiv etmək. The installer failed to deactivate a volume group named %1. - + Quraşdırıcı %1 adlı tutumlar qrupunu qeyri-aktiv edə bilmədi. @@ -1040,22 +1048,22 @@ The installer will quit and all changes will be lost. Delete partition %1. - + %1 bölməsini silmək. Delete partition <strong>%1</strong>. - + <strong>%1</strong> bölməsini silmək. Deleting partition %1. - + %1 bölməsinin silinməsi. The installer failed to delete partition %1. - + Quraşdırıcı %1 bölməsini silə bilmədi. @@ -1063,32 +1071,32 @@ The installer will quit and all changes will be lost. This device has a <strong>%1</strong> partition table. - + Bu cihazda <strong>%1</strong> bölmələr cədvəli var. This is a <strong>loop</strong> device.<br><br>It is a pseudo-device with no partition table that makes a file accessible as a block device. This kind of setup usually only contains a single filesystem. - + Bu <strong>loop</strong> cihazıdır.<br><br> Bu bölmələr cədvəli olmayan saxta cihaz olub, adi faylları blok cihazı kimi istifadə etməyə imkan yaradır. Bu cür qoşulma adətən yalnız tək fayl sisteminə malik olur. This installer <strong>cannot detect a partition table</strong> on the selected storage device.<br><br>The device either has no partition table, or the partition table is corrupted or of an unknown type.<br>This installer can create a new partition table for you, either automatically, or through the manual partitioning page. - + Bu quraşdırıcı seçilmiş qurğuda <strong>bölmələr cədvəli aşkar edə bilmədi</strong>.<br><br>Bu cihazda ya bölmələr cədvəli yoxdur, ya bölmələr cədvəli korlanıb, ya da növü naməlumdur.<br>Bu quraşdırıcı bölmələr cədvəlini avtomatik, ya da əllə bölmək səhifəsi vasitəsi ilə yarada bilər. <br><br>This is the recommended partition table type for modern systems which start from an <strong>EFI</strong> boot environment. - + <br><br>Bu <strong>EFI</strong> ön yükləyici mühiti istifadə edən müasir sistemlər üçün məsləhət görülən bölmələr cədvəli növüdür. <br><br>This partition table type is only advisable on older systems which start from a <strong>BIOS</strong> boot environment. GPT is recommended in most other cases.<br><br><strong>Warning:</strong> the MBR partition table is an obsolete MS-DOS era standard.<br>Only 4 <em>primary</em> partitions may be created, and of those 4, one can be an <em>extended</em> partition, which may in turn contain many <em>logical</em> partitions. - + <br><br>Bu, <strong>BIOS</strong> ön yükləyici mühiti istifadə edən köhnə sistemlər üçün bölmələr cədvəlidir. Əksər hallarda bunun əvəzinə GPT istifadə etmək daha yaxşıdır. Diqqət:</strong>MBR, köhnəlmiş MS-DOS standartında bölmələr cədvəlidir. <br>Sadəcə 4 <em>ilkin</em> bölüm yaratmağa imkan verir və 4-dən çox bölmədən yalnız biri <em>extended</em> genişləndirilmiş ola bilər, və beləliklə daha çox <em>məntiqi</em> bölmələr yaradıla bilər. The type of <strong>partition table</strong> on the selected storage device.<br><br>The only way to change the partition table type is to erase and recreate the partition table from scratch, which destroys all data on the storage device.<br>This installer will keep the current partition table unless you explicitly choose otherwise.<br>If unsure, on modern systems GPT is preferred. - + Seçilmiş cihazda<strong>bölmələr cədvəli</strong> növü.<br><br>Bölmələr cədvəli növünü dəyişdirməyin yeganə yolu, bölmələr cədvəlini sıfırdan silmək və yenidən qurmaqdır, bu da saxlama cihazındakı bütün məlumatları məhv edir.<br>Quraşdırıcı siz başqa bir seçim edənədək bölmələr cədvəlinin cari vəziyyətini saxlayacaqdır.<br>Müasir sistemlər standart olaraq GPT bölümünü istifadə edir. @@ -1097,13 +1105,13 @@ The installer will quit and all changes will be lost. %1 - %2 (%3) device[name] - size[number] (device-node[name]) - + %1 - %2 (%3) %1 - (%2) device[name] - (device-node[name]) - + %1 - (%2) @@ -1111,17 +1119,17 @@ The installer will quit and all changes will be lost. Write LUKS configuration for Dracut to %1 - + %1 -də Dracut üçün LUKS tənzimləməlirini yazmaq Skip writing LUKS configuration for Dracut: "/" partition is not encrypted - + Dracut üçün LUKS tənzimləmələrini yazmağı ötürmək: "/" bölməsi şifrələnmədi Failed to open %1 - + %1 açılmadı @@ -1129,7 +1137,7 @@ The installer will quit and all changes will be lost. Dummy C++ Job - + Dummy C++ Job @@ -1137,57 +1145,57 @@ The installer will quit and all changes will be lost. Edit Existing Partition - + Mövcud bölməyə düzəliş etmək Content: - + Tərkib: &Keep - + &Saxlamaq Format - + Formatlamaq Warning: Formatting the partition will erase all existing data. - + Diqqət: Bölmənin formatlanması ondakı bütün mövcud məlumatları silir. &Mount Point: - + Qoşil&ma nöqtəsi: Si&ze: - + Ol&çü: MiB - + MB Fi&le System: - + Fay&l sistemi: Flags: - + Bayraqlar: Mountpoint already in use. Please select another one. - + Qoşulma nöqtəsi artıq istifadə olunur. Lütfən başqasını seçin. @@ -1195,65 +1203,65 @@ The installer will quit and all changes will be lost. Form - + Forma En&crypt system - + &Şifrələmə sistemi Passphrase - + Şifrə Confirm passphrase - + Şifrəni təsdiq edin Please enter the same passphrase in both boxes. - + Lütfən hər iki sahəyə eyni şifrəni daxil edin. FillGlobalStorageJob - + Set partition information - + Bölmə məlumatlarını ayarlamaq - + Install %1 on <strong>new</strong> %2 system partition. - + %2 <strong>yeni</strong> sistem diskinə %1 quraşdırmaq. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + %2 <strong>yeni</strong> bölməsini <strong>%1</strong> qoşulma nöqtəsi ilə ayarlamaq. - + Install %2 on %3 system partition <strong>%1</strong>. - + %3dəki <strong>%1</strong> sistem bölməsinə %2 quraşdırmaq. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + %3 bölməsinə <strong>%1</strong> ilə <strong>%2</strong> qoşulma nöqtəsi ayarlamaq. - + Install boot loader on <strong>%1</strong>. - + Ön yükləyicini <strong>%1</strong>də quraşdırmaq. - + Setting up mount points. - + Qoşulma nöqtəsini ayarlamaq. @@ -1261,70 +1269,70 @@ The installer will quit and all changes will be lost. Form - + Formatlamaq &Restart now - + &Yenidən başlatmaq - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <h1>Hər şey hazırdır.</h1><br/>%1 sizin kopyuterə qurulacaqdır.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <h1>Hər şey hazırdır.</h1><br/>%1 sizin kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcınıı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. - + <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. FinishedViewStep - + Finish - + Son - + Setup Complete - + Quraşdırma tamamlandı - + Installation Complete - + Quraşdırma tamamlandı - + The setup of %1 is complete. - + %1 quraşdırmaq başa çatdı. - + The installation of %1 is complete. - + %1in quraşdırılması başa çatdı. @@ -1332,95 +1340,95 @@ The installer will quit and all changes will be lost. Format partition %1 (file system: %2, size: %3 MiB) on %4. - + %4-də %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). Format <strong>%3MiB</strong> partition <strong>%1</strong> with file system <strong>%2</strong>. - + <strong>%3MB</strong> bölməsini <strong>%2</strong> fayl sistemi ilə <strong>%1</strong> formatlamaq. Formatting partition %1 with file system %2. - + %1 bölməsini %2 fayl sistemi ilə formatlamaq. The installer failed to format partition %1 on disk '%2'. - + Quraşdırıcı '%2' diskində %1 bölməsini formatlaya bilmədi. GeneralRequirements - + has at least %1 GiB available drive space - + ən az %1 QB disk boş sahəsi var - + There is not enough drive space. At least %1 GiB is required. - + Kifayət qədər disk sahəsi yoxdur. əƏn azı %1 QB tələb olunur. - + has at least %1 GiB working memory - + ən azı %1 QB iş yaddaşı var - + The system does not have enough working memory. At least %1 GiB is required. - + Sistemdə kifayət qədər iş yaddaşı yoxdur. Ən azı %1 GiB tələb olunur. - + is plugged in to a power source - + enerji mənbəyi qoşuludur - + The system is not plugged in to a power source. - + enerji mənbəyi qoşulmayıb. - + is connected to the Internet - + internetə qoşuludur - + The system is not connected to the Internet. - + Sistem internetə qoşulmayıb. - + is running the installer as an administrator (root) - + quraşdırıcı adminstrator (root) imtiyazları ilə başladılması - + The setup program is not running with administrator rights. - + Quraşdırıcı adminstrator imtiyazları ilə başladılmayıb. - + The installer is not running with administrator rights. - + Quraşdırıcı adminstrator imtiyazları ilə başladılmayıb. - + has a screen large enough to show the whole installer - + quraşdırıcını tam göstərmək üçün ekran kifayət qədər genişdir - + The screen is too small to display the setup program. - + Quraşdırıcı proqramı göstərmək üçün ekran çox kiçikdir. - + The screen is too small to display the installer. - + Bu quarşdırıcını göstəmək üçün ekran çox kiçikdir. @@ -1428,7 +1436,7 @@ The installer will quit and all changes will be lost. Collecting information about your machine. - + Komputeriniz haqqında məlumat toplanması. @@ -1439,22 +1447,22 @@ The installer will quit and all changes will be lost. OEM Batch Identifier - + OEM toplama identifikatoru Could not create directories <code>%1</code>. - + <code>%1</code> qovluğu yaradılmadı. Could not open file <code>%1</code>. - + <code>%1</code> faylı açılmadı. Could not write to file <code>%1</code>. - + <code>%1</code> faylına yazılmadı. @@ -1462,7 +1470,7 @@ The installer will quit and all changes will be lost. Creating initramfs with mkinitcpio. - + mkinitcpio köməyi ilə initramfs yaradılması. @@ -1470,7 +1478,7 @@ The installer will quit and all changes will be lost. Creating initramfs. - + initramfs yaradılması. @@ -1478,17 +1486,17 @@ The installer will quit and all changes will be lost. Konsole not installed - + Konsole quraşdırılmayıb Please install KDE Konsole and try again! - + Lütfən KDE Konsole tətbiqini quraşdırın və yenidən cəhd edin! Executing script: &nbsp;<code>%1</code> - + Ssenari icra olunur. &nbsp;<code>%1</code> @@ -1496,7 +1504,7 @@ The installer will quit and all changes will be lost. Script - + Ssenari @@ -1504,12 +1512,12 @@ The installer will quit and all changes will be lost. Set keyboard model to %1.<br/> - + Klaviatura modelini %1 olaraq təyin etmək.<br/> Set keyboard layout to %1/%2. - + Klaviatura qatını %1/%2 olaraq təyin etmək. @@ -1517,7 +1525,7 @@ The installer will quit and all changes will be lost. Keyboard - + Klaviatura @@ -1525,7 +1533,7 @@ The installer will quit and all changes will be lost. Keyboard - + Klaviatura @@ -1533,22 +1541,22 @@ The installer will quit and all changes will be lost. System locale setting - + Ümumi məkan ayarları The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. - + Ümumi məkan ayarları, əmrlər sətiri interfeysinin ayrıca elementləri üçün dil və kodlaşmaya təsir edir. <br/>Hazırkı seçim <strong>%1</strong>. &Cancel - + İm&tina etmək &OK - + &OK @@ -1556,42 +1564,42 @@ The installer will quit and all changes will be lost. Form - + Format <h1>License Agreement</h1> - + <h1>Lisenziya razılaşması</h1> I accept the terms and conditions above. - + Mən yuxarıda göstərilən şərtləri qəbul edirəm. Please review the End User License Agreements (EULAs). - + Lütfən lisenziya razılaşması (EULA) ilə tanış olun. This setup procedure will install proprietary software that is subject to licensing terms. - + Bu quraşdırma proseduru lisenziya şərtlərinə tabe olan xüsusi proqram təminatını quraşdıracaqdır. If you do not agree with the terms, the setup procedure cannot continue. - + Lisenziya razılaşmalarını qəbul etməsəniz quraşdırılma davam etdirilə bilməz. This setup procedure can install proprietary software that is subject to licensing terms in order to provide additional features and enhance the user experience. - + Bu quraşdırma proseduru, əlavə xüsusiyyətlər təmin etmək və istifadəçi təcrübəsini artırmaq üçün lisenziyalaşdırma şərtlərinə tabe olan xüsusi proqram təminatını quraşdıra bilər. If you do not agree with the terms, proprietary software will not be installed, and open source alternatives will be used instead. - + Şərtlərlə razılaşmasanız, xüsusi proqram quraşdırılmayacaq və bunun əvəzinə açıq mənbə kodu ilə alternativlər istifadə ediləcəkdir. @@ -1599,7 +1607,7 @@ The installer will quit and all changes will be lost. License - + Lisenziya @@ -1607,59 +1615,59 @@ The installer will quit and all changes will be lost. URL: %1 - + URL: %1 <strong>%1 driver</strong><br/>by %2 %1 is an untranslatable product name, example: Creative Audigy driver - + <strong>%1 sürücü</strong>%2 tərəfindən <strong>%1 graphics driver</strong><br/><font color="Grey">by %2</font> %1 is usually a vendor name, example: Nvidia graphics driver - + <strong>%1 grafik sürücü</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 browser plugin</strong><br/><font color="Grey">by %2</font> - + <strong>%1 brauzer əlavəsi</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 codec</strong><br/><font color="Grey">by %2</font> - + <strong>%1 kodek</strong><br/><font color="Grey">%2 tərəfindən</font> <strong>%1 package</strong><br/><font color="Grey">by %2</font> - + <strong>%1 paket</strong><br/><font color="Grey">%2 ərəfindən</font> <strong>%1</strong><br/><font color="Grey">by %2</font> - + <strong>%1</strong><br/><font color="Grey">%2 ərəfindən</font> File: %1 - + %1 faylı Hide license text - + Lisenziya mətnini gizlətmək Show the license text - + Lisenziya mətnini göstərmək Open license agreement in browser. - + Lisenziya razılaşmasını brauzerdə açmaq. @@ -1667,33 +1675,33 @@ The installer will quit and all changes will be lost. Region: - + Məkan: Zone: - + Zona: &Change... - + &Dəyişmək... The system language will be set to %1. - + Sistem dili %1 təyin ediləcək. The numbers and dates locale will be set to %1. - + Yerli nömrə və tarix formatı %1 təyin olunacaq. Set timezone to %1/%2.<br/> - + Saat Qurşağını %1/%2 təyin etmək.<br/> @@ -1701,7 +1709,7 @@ The installer will quit and all changes will be lost. Location - + Məkan @@ -1709,7 +1717,7 @@ The installer will quit and all changes will be lost. Location - + Məkan @@ -1717,35 +1725,35 @@ The installer will quit and all changes will be lost. Configuring LUKS key file. - + LUKS düymə faylını ayarlamaq. No partitions are defined. - + Heç bir bölmə müəyyən edilməyib. Encrypted rootfs setup error - + Kök fayl sisteminin şifrələnməsi xətası Root partition %1 is LUKS but no passphrase has been set. - + %1 Kök bölməsi LUKS-dur lakin, şifrə təyin olunmayıb. Could not create LUKS key file for root partition %1. - + %1 kök bölməsi üçün LUKS düymə faylı yaradılmadı. Could not configure LUKS key file on partition %1. - + %1 bölməsində LUKS düymə faylı tənzimlənə bilmədi. @@ -1753,17 +1761,29 @@ The installer will quit and all changes will be lost. Generate machine-id. - + Komputerin İD-ni yaratmaq. Configuration Error - + Tənzimləmə xətası No root mount point is set for MachineId. - + Komputer İD-si üçün kök qoşulma nöqtəsi təyin edilməyib. + + + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Lütfən, xəritədə üstünlük verdiyiniz yeri seçin, belə ki, quraşdırıcı sizin üçün yerli + və saat qurşağı parametrlərini təklif edə bilər. Aşağıda təklif olunan parametrləri dəqiq tənzimləyə bilərsiniz. Xəritəni sürüşdürərək axtarın. + miqyası dəyişmək üçün +/- düymələrindən və ya siçanla sürüşdürmə çubuğundan istifadə etmək. @@ -1772,97 +1792,97 @@ The installer will quit and all changes will be lost. Package selection - + Paket seçimi Office software - + Ofis proqramı Office package - + Ofis paketi Browser software - + Veb bələdçi proqramı Browser package - + Veb bələdçi paketi Web browser - + Veb bələdçi Kernel - + Nüvə Services - + Xidmətlər Login - + Giriş Desktop - + İş Masası Applications - + Tətbiqlər Communication - + Rabitə Development - + Tərtibat Office - + Ofis Multimedia - + Multimediya Internet - + Internet Theming - + Mövzular, Temalar Gaming - + Oyun Utilities - + Vasitələr, Alətlər @@ -1870,7 +1890,7 @@ The installer will quit and all changes will be lost. Notes - + Qeydlər @@ -1878,17 +1898,17 @@ The installer will quit and all changes will be lost. Ba&tch: - + Dəs&tə: <html><head/><body><p>Enter a batch-identifier here. This will be stored in the target system.</p></body></html> - + <html><head/><body><p>Dəstənin isentifikatorunu bura daxil edin. Bu hədəf sistemində saxlanılacaq.</p></body></html> <html><head/><body><h1>OEM Configuration</h1><p>Calamares will use OEM settings while configuring the target system.</p></body></html> - + <html><head/><body><h1>OEM tənzimləmələri</h1><p>Calamares hədəf sistemini tənzimləyərkən OEM ayarlarını istifadə edəcək.</p></body></html> @@ -1896,12 +1916,25 @@ The installer will quit and all changes will be lost. OEM Configuration - + OEM tənzimləmələri Set the OEM Batch Identifier to <code>%1</code>. - + OEM Dəstəsi identifikatorunu <code>%1</code>-ə ayarlamaq. + + + + Offline + + + Timezone: %1 + Saat qurşağı: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Saat qurşağının seçilə bilməsi üçün internetə qoşulduğunuza əmin olun. İnternetə qoşulduqdan sonra quraşdırıcını yenidən başladın. Aşağıdakı Dil və Yer parametrlərini dəqiq tənzimləyə bilərsiniz. @@ -1909,247 +1942,247 @@ The installer will quit and all changes will be lost. Password is too short - + Şifrə çox qısadır Password is too long - + Şifrə çox uzundur Password is too weak - + Şifrə çox zəifdir Memory allocation error when setting '%1' - + '%1' ayarlanarkən yaddaş bölgüsü xətası Memory allocation error - + Yaddaş bölgüsü xətası The password is the same as the old one - + Şifrə köhnə şifrə ilə eynidir The password is a palindrome - + Şifrə tərsinə oxunuşu ilə eynidir The password differs with case changes only - + Şifrə yalnız hal dəyişiklikləri ilə fərqlənir The password is too similar to the old one - + Şifrə köhnə şifrə ilə çox oxşardır The password contains the user name in some form - + Şifrənin tərkibində istifadəçi adı var The password contains words from the real name of the user in some form - + Şifrə istifadəçinin əsl adına oxşar sözlərdən ibarətdir The password contains forbidden words in some form - + Şifrə qadağan edilmiş sözlərdən ibarətdir The password contains less than %1 digits - + Şifrə %1-dən az rəqəmdən ibarətdir The password contains too few digits - + Şifrə çox az rəqəmdən ibarətdir The password contains less than %1 uppercase letters - + Şifrə %1-dən az böyük hərfdən ibarətdir The password contains too few uppercase letters - + Şifrə çox az böyük hərflərdən ibarətdir The password contains less than %1 lowercase letters - + Şifrə %1-dən az kiçik hərflərdən ibarətdir The password contains too few lowercase letters - + Şifrə çox az kiçik hərflərdən ibarətdir The password contains less than %1 non-alphanumeric characters - + Şifrə %1-dən az alfasayısal olmayan simvollardan ibarətdir The password contains too few non-alphanumeric characters - + Şifrə çox az alfasayısal olmayan simvollardan ibarətdir The password is shorter than %1 characters - + Şifrə %1 simvoldan qısadır The password is too short - + Şifrə çox qısadır The password is just rotated old one - + Yeni şifrə sadəcə olaraq tərsinə çevirilmiş köhnəsidir The password contains less than %1 character classes - + Şifrə %1-dən az simvol sinifindən ibarətdir The password does not contain enough character classes - + Şifrənin tərkibində kifayət qədər simvol sinifi yoxdur The password contains more than %1 same characters consecutively - + Şifrə ardıcıl olaraq %1-dən çox eyni simvollardan ibarətdir The password contains too many same characters consecutively - + Şifrə ardıcıl olaraq çox oxşar simvollardan ibarətdir The password contains more than %1 characters of the same class consecutively - + Şifrə ardıcıl olaraq eyni sinifin %1-dən çox simvolundan ibarətdir The password contains too many characters of the same class consecutively - + Şifrə ardıcıl olaraq eyni sinifin çox simvolundan ibarətdir The password contains monotonic sequence longer than %1 characters - + Şifrə %1 simvoldan uzun olan monoton ardıcıllıqdan ibarətdir The password contains too long of a monotonic character sequence - + Şifrə çox uzun monoton simvollar ardıcıllığından ibarətdir No password supplied - + Şifrə verilməyib Cannot obtain random numbers from the RNG device - + RNG cihazından təsadüfi nömrələr əldə etmək olmur Password generation failed - required entropy too low for settings - + Şifrə yaratma uğursuz oldu - ayarlar üçün tələb olunan entropiya çox aşağıdır The password fails the dictionary check - %1 - + Şifrənin lüğət yoxlaması alınmadı - %1 The password fails the dictionary check - + Şifrənin lüğət yoxlaması alınmadı Unknown setting - %1 - + Naməlum ayarlar - %1 Unknown setting - + Naməlum ayarlar Bad integer value of setting - %1 - + Ayarın pozulmuş tam dəyəri - %1 Bad integer value - + Pozulmuş tam dəyər Setting %1 is not of integer type - + %1 -i ayarı tam say deyil Setting is not of integer type - + Ayar tam say deyil Setting %1 is not of string type - + %1 ayarı sətir deyil Setting is not of string type - + Ayar sətir deyil Opening the configuration file failed - + Tənzəmləmə faylının açılması uğursuz oldu The configuration file is malformed - + Tənzimləmə faylı qüsurludur Fatal failure - + Ciddi qəza Unknown error - + Naməlum xəta Password is empty - + Şifrə böşdur @@ -2157,32 +2190,32 @@ The installer will quit and all changes will be lost. Form - + Format Product Name - + Məhsulun adı TextLabel - + Mətn nişanı Long Product Description - + Məhsulun uzun təsviri Package Selection - + Paket seçimi Please pick a product from the list. The selected product will be installed. - + Lütfən məhsulu siyahıdan seçin. Seçilmiş məhsul quraşdırılacaqdır. @@ -2190,7 +2223,7 @@ The installer will quit and all changes will be lost. Packages - + Paketlər @@ -2198,12 +2231,12 @@ The installer will quit and all changes will be lost. Name - + Adı Description - + Təsviri @@ -2211,17 +2244,17 @@ The installer will quit and all changes will be lost. Form - + Format Keyboard Model: - + Klaviatura modeli: Type here to test your keyboard - + Buraya yazaraq klaviaturanı yoxlayın @@ -2229,96 +2262,96 @@ The installer will quit and all changes will be lost. Form - + Format What is your name? - + Adınız nədir? Your Full Name - + Tam adınız What name do you want to use to log in? - + Giriş üçün hansı adı istifadə etmək istəyirsiniz? login - + giriş What is the name of this computer? - + Bu kompyuterin adı nədir? <small>This name will be used if you make the computer visible to others on a network.</small> - + <small>Əgər kompyuterinizi şəbəkə üzərindən görünən etsəniz, bu ad istifadə olunacaq.</small> Computer Name - + Kompyuterin adı Choose a password to keep your account safe. - + Hesabınızın təhlükəsizliyi üçün şifrə seçin. <small>Enter the same password twice, so that it can be checked for typing errors. A good password will contain a mixture of letters, numbers and punctuation, should be at least eight characters long, and should be changed at regular intervals.</small> - + <small>Səhvsiz yazmaq üçün eyni şifrəni iki dəfə daxil edin. Yaxşı bir şifrə, hərflərin, nömrələrin və durğu işarələrinin qarışığından və ən azı səkkiz simvoldan ibarət olmalıdır, həmçinin müntəzəm olaraq dəyişdirilməlidir.</small> Password - + Şifrə Repeat Password - + Şifrənin təkararı When this box is checked, password-strength checking is done and you will not be able to use a weak password. - + Bu qutu işarələndikdə, şifrənin etibarlıq səviyyəsi yoxlanılır və siz zəif şifrədən istifadə edə bilməyəcəksiniz. Require strong passwords. - + Güclü şifrələr tələb edilir. Log in automatically without asking for the password. - + Şifrə soruşmadan sistemə avtomatik daxil olmaq. Use the same password for the administrator account. - + İdarəçi hesabı üçün eyni şifrədən istifadə etmək. Choose a password for the administrator account. - + İdarəçi hesabı üçün şifrəni seçmək. <small>Enter the same password twice, so that it can be checked for typing errors.</small> - + <small>Səhvsiz yazmaq üçün eyni şifrəni iki dəfə daxil edin</small> @@ -2326,43 +2359,43 @@ The installer will quit and all changes will be lost. Root - + Root Home - + Home Boot - + Boot EFI system - + EFI sistemi Swap - + Swap - Mübadilə New partition for %1 - + %1 üçün yeni bölmə New partition - + Yeni bölmə %1 %2 size[number] filesystem[name] - + %1 %2 @@ -2371,33 +2404,33 @@ The installer will quit and all changes will be lost. Free Space - + Boş disk sahəsi New partition - + Yeni bölmə Name - + Adı File System - + Fayl sistemi Mount Point - + Qoşulma nöqtəsi Size - + Ölçüsü @@ -2405,77 +2438,78 @@ The installer will quit and all changes will be lost. Form - + Format Storage de&vice: - + Yaddaş qurğu&su: &Revert All Changes - + Bütün dəyişiklikləri &geri qaytarmaq New Partition &Table - + Yeni bölmələr &cədvəli Cre&ate - + Yar&atmaq &Edit - + Düzəliş &etmək &Delete - + &Silmək New Volume Group - + Yeni tutum qrupu Resize Volume Group - + Tutum qrupunun ölçüsünü dəyişmək Deactivate Volume Group - + Tutum qrupunu deaktiv etmək Remove Volume Group - + Tutum qrupunu silmək I&nstall boot loader on: - + Ön yükləy&icinin quraşdırılma yeri: Are you sure you want to create a new partition table on %1? - + %1-də yeni bölmə yaratmaq istədiyinizə əminsiniz? Can not create new partition - + Yeni bölmə yaradıla bilmir The partition table on %1 already has %2 primary partitions, and no more can be added. Please remove one primary partition and add an extended partition, instead. - + %1 üzərindəki bölmə cədvəlində %2 birinci disk bölümü var və artıq əlavə edilə bilməz. +Lütfən bir birinci disk bölümünü çıxarın və əvəzinə genişləndirilmiş bölmə əlavə edin. @@ -2483,117 +2517,117 @@ The installer will quit and all changes will be lost. Gathering system information... - + Sistem məlumatları toplanır ... Partitions - + Bölmələr - + Install %1 <strong>alongside</strong> another operating system. - + Digər əməliyyat sistemini %1 <strong>yanına</strong> quraşdırmaq. - + <strong>Erase</strong> disk and install %1. - + Diski <strong>çıxarmaq</strong> və %1 quraşdırmaq. - + <strong>Replace</strong> a partition with %1. - + Bölməni %1 ilə <strong>əvəzləmək</strong>. - + <strong>Manual</strong> partitioning. - + <strong>Əl ilə</strong> bölüşdürmə. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>%2</strong> (%3) diskində başqa əməliyyat sistemini %1 <strong>yanında</strong> quraşdırmaq. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>%2</strong> (%3) diskini <strong>çıxartmaq</strong> və %1 quraşdırmaq. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>%2</strong> (%3) diskində bölməni %1 ilə <strong>əvəzləmək</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + <strong>%1</strong> (%2) diskində <strong>əl ilə</strong> bölüşdürmə. - + Disk <strong>%1</strong> (%2) - + <strong>%1</strong> (%2) diski - + Current: - + Cari: - + After: - + Sonra: - + No EFI system partition configured - + EFI sistemi bölməsi tənzimlənməyib - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + EFİ sistemi bölməsi, %1 başlatmaq üçün vacibdir. <br/><br/>EFİ sistemi bölməsini yaratmaq üçün geriyə qayıdın və aktiv edilmiş<strong>%3</strong> bayrağı və <strong>%2</strong> qoşulma nöqtəsi ilə FAT32 fayl sistemi seçin və ya yaradın.<br/><br/>Siz EFİ sistemi bölməsi yaratmadan da davam edə bilərsiniz, lakin bu halda sisteminiz açılmaya bilər. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + %1 başlatmaq üçün EFİ sistem bölməsi vacibdir.<br/><br/>Bölmə <strong>%2</strong> qoşulma nöqtəsi ilə yaradılıb, lakin onun <strong>%3</strong> bayrağı seçilməyib.<br/>Bayrağı seçmək üçün geriyə qayıdın və bölməyə süzəliş edin.<br/><br/>Siz bayrağı seçmədən də davam edə bilərsiniz, lakin bu halda sisteminiz açılmaya bilər. - + EFI system partition flag not set - + EFİ sistem bölməsi bayraqı seçilməyib - + Option to use GPT on BIOS - + BIOS-da GPT istifadəsi seçimi - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + GPT bölmə cədvəli bütün sistemlər üçün yaxşıdır. Bu quraşdırıcı BIOS sistemləri üçün də belə bir quruluşu dəstəkləyir.<br/><br/>BİOS-da GPT bölmələr cədvəlini ayarlamaq üçün (əgər bu edilməyibsə) geriyə qayıdın və bölmələr cədvəlini GPT-yə qurun, sonra isə <strong>bios_grub</strong> bayrağı seçilmiş 8 MB-lıq formatlanmamış bölmə yaradın.<br/><br/>8 MB-lıq formatlanmamış bölmə GPT ilə BİOS sistemində %1 başlatmaq üçün lazımdır. - + Boot partition not encrypted - + Ön yükləyici bölməsi çifrələnməyib - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + Şifrəli bir kök bölməsi ilə birlikdə ayrı bir ön yükləyici bölməsi qurulub, ancaq ön yükləyici bölməsi şifrələnməyib.<br/><br/>Bu cür quraşdırma ilə bağlı təhlükəsizlik problemləri olur, çünki vacib sistem sənədləri şifrəsiz bölmədə saxlanılır.<br/>İstəyirsinizsə davam edə bilərsiniz, lakin, fayl sisteminin kilidi, sistem başladıldıqdan daha sonra açılacaqdır.<br/>Yükləmə hissəsini şifrələmək üçün geri qayıdın və bölmə yaratma pəncərəsində <strong>Şifrələmə</strong> menyusunu seçərək onu yenidən yaradın. - + has at least one disk device available. - + ən az bir disk qurğusu mövcuddur. - + There are no partitions to install on. - + Quraşdırmaq üçün bölmə yoxdur. @@ -2601,13 +2635,13 @@ The installer will quit and all changes will be lost. Plasma Look-and-Feel Job - + Plasma Xarici Görünüş Mövzusu İşləri Could not select KDE Plasma Look-and-Feel package - + KDE Plasma Xarici Görünüş paketinin seçilməsi @@ -2615,17 +2649,17 @@ The installer will quit and all changes will be lost. Form - + Format Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is set up. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - + Lütfən, KDE Plasma İş Masası üçün Xarici Görünüşü seçin. Siz həmçinin bu mərhələni ötürə və sistem qurulduqdan sonra Plasma xarici görünüşünü ayarlaya bilərsiniz. Xarici Görünüşə klikləməniz onun canlı görüntüsünü sizə göstərəcəkdir. Please choose a look-and-feel for the KDE Plasma Desktop. You can also skip this step and configure the look-and-feel once the system is installed. Clicking on a look-and-feel selection will give you a live preview of that look-and-feel. - + Lütfən, KDE Plasma İş Masası üçün Xarici Görünüşü seçin. Siz həmçinin bu mərhələni ötürə və sistem qurulduqdan sonra Plasma xarici görünüşünü ayarlaya bilərsiniz. Xarici Görünüşə klikləməniz onun canlı görüntüsünü sizə göstərəcəkdir. @@ -2633,7 +2667,7 @@ The installer will quit and all changes will be lost. Look-and-Feel - + Xarici Görünüş @@ -2641,127 +2675,125 @@ The installer will quit and all changes will be lost. Saving files for later ... - + Fayllar daha sonra saxlanılır... No files configured to save for later. - + Sonra saxlamaq üçün heç bir ayarlanan fayl yoxdur. Not all of the configured files could be preserved. - + Ayarlanan faylların hamısı saxlanıla bilməz. ProcessResult - + There was no output from the command. - + +Əmrlərdən çıxarış alınmadı. - + Output: - + +Çıxarış: + - + External command crashed. - + Xarici əmr qəzası baş verdi. - + Command <i>%1</i> crashed. - + <i>%1</i> əmrində qəza baş verdi. - + External command failed to start. - + Xarici əmr başladıla bilmədi. - + Command <i>%1</i> failed to start. - + <i>%1</i> əmri əmri başladıla bilmədi. - + Internal error when starting command. - + Əmr başlayarkən daxili xəta. - + Bad parameters for process job call. - + İş prosesini çağırmaq üçün xətalı parametr. - + External command failed to finish. - + Xarici əmr başa çatdırıla bilmədi. - + Command <i>%1</i> failed to finish in %2 seconds. - + <i>%1</i> əmrini %2 saniyədə başa çatdırmaq mümkün olmadı. - + External command finished with errors. - + Xarici əmr xəta ilə başa çatdı. - + Command <i>%1</i> finished with exit code %2. - + <i>%1</i> əmri %2 xəta kodu ilə başa çatdı. QObject - + %1 (%2) - - - - - Requirements checking for module <i>%1</i> is complete. - + %1 (%2) - + unknown - + naməlum - + extended - + genişləndirilmiş - + unformatted - + format olunmamış - + swap - + mübadilə Default Keyboard Model - + Standart Klaviatura Modeli Default - + Standart @@ -2769,37 +2801,47 @@ Output: File not found - + Fayl tapılmadı Path <pre>%1</pre> must be an absolute path. - + <pre>%1</pre> yolu mütləq bir yol olmalıdır. Could not create new random file <pre>%1</pre>. - + Yeni təsadüfi<pre>%1</pre> faylı yaradıla bilmir. No product - + Məhsul yoxdur No description provided. - + Təsviri verilməyib. (no mount point) - + (qoşulma nöqtəsi yoxdur) Unpartitioned space or unknown partition table - + Bölünməmiş disk sahəsi və ya naməlum bölmələr cədvəli + + + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. + <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər.</p> @@ -2807,7 +2849,7 @@ Output: Remove live user from target system - + Canlı istifadəçini hədəf sistemindən silmək @@ -2816,17 +2858,17 @@ Output: Remove Volume Group named %1. - + %1 adlı Tutum Qrupunu silmək. Remove Volume Group named <strong>%1</strong>. - + <strong>%1</strong> adlı Tutum Qrupunu silmək. The installer failed to remove a volume group named '%1'. - + Quraşdırıcı "%1" adlı tutum qrupunu silə bilmədi. @@ -2834,74 +2876,91 @@ Output: Form - + Format - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + %1 quraşdırmaq yerini seşmək.<br/><font color="red">Diqqət!</font>bu seçilmiş bölmədəki bütün faylları siləcək. - + The selected item does not appear to be a valid partition. - + Seçilmiş element etibarlı bir bölüm kimi görünmür. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 böş disk sahəsinə quraşdırıla bilməz. Lütfən mövcüd bölməni seçin. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 genişləndirilmiş bölməyə quraşdırıla bilməz. Lütfən, mövcud birinci və ya məntiqi bölməni seçin. - + %1 cannot be installed on this partition. - + %1 bu bölməyə quraşdırıla bilməz. - + Data partition (%1) - + Verilənlər bölməsi (%1) - + Unknown system partition (%1) - + Naməlum sistem bölməsi (%1) - + %1 system partition (%2) - + %1 sistem bölməsi (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%4</strong><br/><br/>%1 Bölməsi %2 üçün çox kiçikdir. Lütfən, ən azı %3 QB həcmində olan bölməni seçin. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - + <strong>%2</strong><br/><br/>EFI sistem bölməsi bu sistemin heç bir yerində tapılmadı. Lütfən, geri qayıdın və %1 təyin etmək üçün əl ilə bu bölməni yaradın. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + <strong>%3</strong><br/><br/>%1, %2.bölməsində quraşdırılacaq.<br/><font color="red">Diqqət: </font>%2 bölməsindəki bütün məlumatlar itiriləcək. - + The EFI system partition at %1 will be used for starting %2. - + %1 EFI sistemi %2 başlatmaq üçün istifadə olunacaqdır. - + EFI system partition: - + EFI sistem bölməsi: + + + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/> + Quraşdırılma davam etdirilə bilməz. </p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. + <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər.</p> @@ -2909,27 +2968,27 @@ Output: Resize Filesystem Job - + Fayl sisteminin ölçüsünü dəyişmək Invalid configuration - + Etibarsız Tənzimləmə The file-system resize job has an invalid configuration and will not run. - + Fayl sisteminin ölçüsünü dəyişmək işinin tənzimlənməsi etibarsızdır və baçladıla bilməz. KPMCore not Available - + KPMCore mövcud deyil Calamares cannot start KPMCore for the file-system resize job. - + Calamares bu fayl sisteminin ölçüsünü dəyişmək üçün KPMCore proqramını işə sala bilmir. @@ -2938,39 +2997,39 @@ Output: Resize Failed - + Ölçüsünü dəyişmə alınmadı The filesystem %1 could not be found in this system, and cannot be resized. - + %1 fayl sistemi bu sistemdə tapılmadı və ölçüsü dəyişdirilə bilmədi. The device %1 could not be found in this system, and cannot be resized. - + %1 qurğusu bu sistemdə tapılmadı və ölçüsü dəyişdirilə bilməz. The filesystem %1 cannot be resized. - + %1 fayl sisteminin ölçüsü dəyişdirilə bilmədi. The device %1 cannot be resized. - + %1 qurğusunun ölçüsü dəyişdirilə bilmədi. The filesystem %1 must be resized, but cannot. - + %1 fayl sisteminin ölçüsü dəyişdirilməlidir, lakin bu mümkün deyil. The device %1 must be resized, but cannot - + %1 qurğusunun ölçüsü dəyişdirilməlidir, lakin, bu mümkün deyil @@ -2978,22 +3037,22 @@ Output: Resize partition %1. - + %1 bölməsinin ölçüsünü dəyişmək. Resize <strong>%2MiB</strong> partition <strong>%1</strong> to <strong>%3MiB</strong>. - + <strong>%2MB</strong> <strong>%1</strong> bölməsinin ölçüsünü <strong>%3MB</strong>-a dəyişmək. Resizing %2MiB partition %1 to %3MiB. - + %2 MB %1 bölməsinin ölçüsünü %3MB-a dəyişmək. The installer failed to resize partition %1 on disk '%2'. - + Quraşdırıcı %1 bölməsinin ölçüsünü "%2" diskində dəyişə bilmədi. @@ -3001,7 +3060,7 @@ Output: Resize Volume Group - + Tutum qrupunun ölçüsünü dəyişmək @@ -3010,58 +3069,58 @@ Output: Resize volume group named %1 from %2 to %3. - + %1 adlı tutum qrupunun ölçüsünü %2-dən %3-ə dəyişmək. Resize volume group named <strong>%1</strong> from <strong>%2</strong> to <strong>%3</strong>. - + <strong>%1</strong> adlı tutum qrupunun ölçüsünü <strong>%2</strong>-dən strong>%3</strong>-ə dəyişmək. The installer failed to resize a volume group named '%1'. - + Quraşdırıcı "%1" adlı tutum qrupunun ölçüsünü dəyişə bilmədi. ResultsListDialog - + For best results, please ensure that this computer: - + Ən yaşxı nəticə üçün lütfən, əmin olun ki, bu kompyuter: - + System requirements - + Sistem tələbləri ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilməz. <a href="#details">Ətraflı məlumatlar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + Bu kompüter %1 qurulması üçün minimum tələblərə cavab vermir. <br/>Quraşdırılma davam etdirilə bilər, lakin bəzi imkanları əlçatmaz ola bilər. - + This program will ask you some questions and set up %2 on your computer. - + Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. @@ -3069,12 +3128,12 @@ Output: Scanning storage devices... - + Yaddaş qurğusu axtarılır... Partitioning - + Bölüşdürmə @@ -3082,29 +3141,29 @@ Output: Set hostname %1 - + %1 host adı təyin etmək Set hostname <strong>%1</strong>. - + <strong>%1</strong> host adı təyin etmək. Setting hostname %1. - + %1 host adının ayarlanması. Internal Error - + Daxili Xəta Cannot write hostname to target system - + Host adı hədəf sistemə yazıla bilmədi @@ -3112,29 +3171,29 @@ Output: Set keyboard model to %1, layout to %2-%3 - + Klaviatura modeliini %1, qatını isə %2-%3 təyin etmək Failed to write keyboard configuration for the virtual console. - + Virtual konsol üçün klaviatura tənzimləmələrini yazmaq mümkün olmadı. Failed to write to %1 - + %1-ə yazmaq mümkün olmadı Failed to write keyboard configuration for X11. - + X11 üçün klaviatura tənzimləmələrini yazmaq mümükün olmadı. Failed to write keyboard configuration to existing /etc/default directory. - + Klaviatura tənzimləmələri möcvcud /etc/default qovluğuna yazıla bilmədi. @@ -3142,82 +3201,82 @@ Output: Set flags on partition %1. - + %1 bölməsində bayraqlar qoymaq. Set flags on %1MiB %2 partition. - + %1 MB %2 bölməsində bayraqlar qoymaq. Set flags on new partition. - + Yeni bölmədə bayraq qoymaq. Clear flags on partition <strong>%1</strong>. - + <strong>%1</strong> bölməsindəki bayraqları ləğv etmək. Clear flags on %1MiB <strong>%2</strong> partition. - + %1MB <strong>%2</strong> bölməsindəki bayraqları ləğv etmək. Clear flags on new partition. - + Yeni bölmədəki bayraqları ləğv etmək. Flag partition <strong>%1</strong> as <strong>%2</strong>. - + <strong>%1</strong> bölməsini <strong>%2</strong> kimi bayraqlamaq. Flag %1MiB <strong>%2</strong> partition as <strong>%3</strong>. - + %1MB <strong>%2</strong> bölməsini <strong>%3</strong> kimi bayraqlamaq. Flag new partition as <strong>%1</strong>. - + Yeni bölməni <strong>%1</strong> kimi bayraqlamaq. Clearing flags on partition <strong>%1</strong>. - + <strong>%1</strong> bölməsindəki bayraqları ləöv etmək. Clearing flags on %1MiB <strong>%2</strong> partition. - + %1MB <strong>%2</strong> bölməsindəki bayraqların ləğv edilməsi. Clearing flags on new partition. - + Yeni bölmədəki bayraqların ləğv edilməsi. Setting flags <strong>%2</strong> on partition <strong>%1</strong>. - + <strong>%2</strong> bayraqlarının <strong>%1</strong> bölməsində ayarlanması. Setting flags <strong>%3</strong> on %1MiB <strong>%2</strong> partition. - + <strong>%3</strong> bayraqlarının %1MB <strong>%2</strong> bölməsində ayarlanması. Setting flags <strong>%1</strong> on new partition. - + <strong>%1</strong> bayraqlarının yeni bölmədə ayarlanması. The installer failed to set flags on partition %1. - + Quraşdırıcı %1 bölməsinə bayraqlar qoya bilmədi. @@ -3225,42 +3284,42 @@ Output: Set password for user %1 - + %1 istifadəçisi üçün şifrə daxil etmək Setting password for user %1. - + %1 istifadəçisi üçün şifrə ayarlamaq. Bad destination system path. - + Səhv sistem yolu təyinatı. rootMountPoint is %1 - + rootMountPoint %1-dir Cannot disable root account. - + Kök hesabını qeyri-aktiv etmək olmur. passwd terminated with error code %1. - + %1 xəta kodu ilə sonlanan şifrə. Cannot set password for user %1. - + %1 istifadəçisi üçün şifrə yaradıla bilmədi. usermod terminated with error code %1. - + usermod %1 xəta kodu ilə sonlandı. @@ -3268,37 +3327,37 @@ Output: Set timezone to %1/%2 - + Saat qurşağını %1/%2 olaraq ayarlamaq Cannot access selected timezone path. - + Seçilmiş saat qurşağı yoluna daxil olmaq mümkün deyil. Bad path: %1 - + Etibarsız yol: %1 Cannot set timezone. - + Saat qurşağını qurmaq mümkün deyil. Link creation failed, target: %1; link name: %2 - + Keçid yaradılması alınmadı, hədəf: %1; keçed adı: %2 Cannot set timezone, - + Saat qurşağı qurulmadı, Cannot open /etc/timezone for writing - + /etc/timezone qovluğu yazılmaq üçün açılmadı @@ -3306,7 +3365,7 @@ Output: Shell Processes Job - + Shell prosesləri ilə iş @@ -3315,7 +3374,7 @@ Output: %L1 / %L2 slide counter, %1 of %2 (numeric) - + %L1 / %L2 @@ -3323,12 +3382,12 @@ Output: This is an overview of what will happen once you start the setup procedure. - + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. This is an overview of what will happen once you start the install procedure. - + Bu quraşdırma proseduruna başladıqdan sonra nələrin baş verəcəyinə ümumi baxışdır. @@ -3336,59 +3395,88 @@ Output: Summary - + Nəticə TrackingInstallJob - + Installation feedback - + Quraşdırılma hesabatı - + Sending installation feedback. - + Quraşdırılma hesabatının göndərməsi. - + Internal error in install-tracking. - + install-tracking daxili xətası. - + HTTP request timed out. - + HTTP sorğusunun vaxtı keçdi. + + + + TrackingKUserFeedbackJob + + + KDE user feedback + KDE istifadəçi hesabatı + + + + Configuring KDE user feedback. + KDE istifadəçi hesabatının tənzimlənməsi. + + + + + Error in KDE user feedback configuration. + KDE istifadəçi hesabatının tənzimlənməsində xəta. + + + + Could not configure KDE user feedback correctly, script error %1. + KDE istifadəçi hesabatı düzgün tənzimlənmədi, əmr xətası %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + KDE istifadəçi hesabatı düzgün tənzimlənmədi, Calamares xətası %1. - TrackingMachineNeonJob + TrackingMachineUpdateManagerJob - + Machine feedback - + Kompyuter hesabatı - + Configuring machine feedback. - + kompyuter hesabatının tənzimlənməsi. - - + + Error in machine feedback configuration. - + Kompyuter hesabatının tənzimlənməsində xəta. - + Could not configure machine feedback correctly, script error %1. - + Kompyuter hesabatı düzgün tənzimlənmədi, əmr xətası %1. - + Could not configure machine feedback correctly, Calamares error %1. - + Kompyuter hesabatı düzgün tənzimlənmədi, Calamares xətası %1. @@ -3396,50 +3484,50 @@ Output: Form - + Format Placeholder - + Əvəzləyici - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Göndərmək üçün buraya klikləyin <span style=" font-weight:600;">quraşdırıcınız haqqında heç bir məlumat yoxdur</span>.</p></body></html> <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Click here for more information about user feedback</span></a></p></body></html> - + <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">İstifadəçi hesabatı haqqında daha çox məlumat üçün buraya klikləyin</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + İzləmə %1ə, cihazın neçə dəfə quraşdırıldığını, hansı cihazda quraşdırıldığını və hansı tətbiqlərdən istifadə olunduğunu görməyə kömək edir. Göndərilənləri görmək üçün hər sahənin yanındakı yardım işarəsini vurun. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Bunu seçərək quraşdırma və kompyuteriniz haqqında məlumat göndərəcəksiniz. Quraşdırma başa çatdıqdan sonra, bu məlumat yalnız <b>bir dəfə</b> göndəriləcəkdir. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Bu seçimdə siz vaxtaşırı <b>kompyuter</b> qurğularınız, avadanlıq və tətbiqləriniz haqqında %1-ə məlumat göndərəcəksiniz. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Bu seçimdə siz vaxtaşırı <b>istifadəçi</b> qurğularınız, avadanlıq və tətbiqləriniz haqqında %1-ə məlumat göndərəcəksiniz. TrackingViewStep - + Feedback - + Hesabat @@ -3447,47 +3535,47 @@ Output: <small>If more than one person will use this computer, you can create multiple accounts after setup.</small> - + <small>Əgər bu kompyuteri sizdən başqa şəxs istifadə edəcəkdirsə o zaman ayarlandıqdan sonra bir neçə istifadəçi hesabı yarada bilərsiniz.</small> <small>If more than one person will use this computer, you can create multiple accounts after installation.</small> - + <small>Əgər bu kompyuteri sizdən başqa şəxs istifadə edəcəkdirsə o zaman quraşdırıldıqdan sonra bir neçə istifadəçi hesabı yarada bilərsiniz.</small> Your username is too long. - + İstifadəçi adınız çox uzundur. Your username must start with a lowercase letter or underscore. - + İstifadəçi adınız yalnız kiçik və ya alt cizgili hərflərdən ibarət olmalıdır. Only lowercase letters, numbers, underscore and hyphen are allowed. - + Yalnız kiçik hərflərdən, simvollardan, alt cizgidən və defisdən istifadə oluna bilər. Your hostname is too short. - + Host adınız çox qısadır. Your hostname is too long. - + Host adınız çox uzundur. Only letters, numbers, underscore and hyphen are allowed. - + Yalnız kiçik hərflərdən, saylardan, alt cizgidən və defisdən istifadə oluna bilər. Your passwords do not match! - + Şifrənizin təkrarı eyni deyil! @@ -3495,7 +3583,7 @@ Output: Users - + İstifadəçilər @@ -3503,12 +3591,12 @@ Output: Key - + Açar Value - + Dəyər @@ -3516,52 +3604,52 @@ Output: Create Volume Group - + Tutumlar qrupu yaratmaq List of Physical Volumes - + Fiziki Tutumların siyahısı Volume Group Name: - + Tutum Qrupunun adı: Volume Group Type: - + Tutum Qrupunun Növü: Physical Extent Size: - + Fiziki boy ölçüsü: MiB - + MB Total Size: - + Ümumi Ölçü: Used Size: - + İstifadə olunanın ölçüsü: Total Sectors: - + Ümumi Bölmələr: Quantity of LVs: - + LVlərin sayı: @@ -3569,114 +3657,114 @@ Output: Form - + Format Select application and system language - + Sistem və tətbiq dilini seçmək &About - + H&aqqında Open donations website - + Maddi dəstək üçün veb səhifəsi &Donate - + Ma&ddi dəstək Open help and support website - + Kömək və dəstək veb səhifəsi &Support - + Də&stək Open issues and bug-tracking website - + Problemlər və xəta izləmə veb səhifəsi &Known issues - + &Məlum problemlər Open release notes website - + Buraxılış haqqında qeydlər veb səhifəsi &Release notes - + Bu&raxılış haqqında qeydlər - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>%1 üçün Calamares quraşdırma proqramına Xoş Gəldiniz.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>%1 quraşdırmaq üçün Xoş Gəldiniz.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1> %1 üçün Calamares quraşdırıcısına Xoş Gəldiniz.</h1> - + <h1>Welcome to the %1 installer.</h1> - + <h1>%1 quraşdırıcısına Xoş Gəldiniz.</h1> - + %1 support - + %1 dəstəyi - + About %1 setup - + %1 quraşdırması haqqında - + About %1 installer - + %1 quraşdırıcısı haqqında - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. - + <h1>%1</h1><br/><strong>%2<br/>%3 üçün</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Təşəkkür edirik, <a href="https://calamares.io/team/">Calamares komandasına</a> və <a href="https://www.transifex.com/calamares/calamares/">Calamares tərcüməçilər komandasına</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> tərtibatçılarının sponsoru: <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. WelcomeQmlViewStep - + Welcome - + Xoş Gəldiniz WelcomeViewStep - + Welcome - + Xoş Gəldiniz @@ -3695,12 +3783,45 @@ Output: development is sponsored by <br/> <a href='http://www.blue-systems.com/'>Blue Systems</a> - Liberating Software. - + <h1>%1</h1><br/> + <strong>%2<br/> + %3 üçün</strong><br/><br/> + Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/> + Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/> + Təşəkkür edirik,<a href='https://calamares.io/team/'>Calamares komandasına</a> + və<a href='https://www.transifex.com/calamares/calamares/'>Calamares + tərcüməçiləri komandasına</a>.<br/><br/> + <a href='https://calamares.io/'>Calamares</a> + tərtibatının sponsoru: <br/> + <a href='http://www.blue-systems.com/'>Blue Systems</a> - + Liberating Software. Back - + Geriyə + + + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Dillər</h1> </br> + Sistemin yer ayarları bəzi istifadəçi interfeysi elementləri əmrlər sətri üçün dil və simvolların ayarlanmasına təsir edir. Cari ayar: <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Yerlər</h1> </br> + Sistemin yer ayarları bəzi istifadəçi interfeysi elementləri əmrlər sətri üçün dil və simvolların ayarlanmasına təsir edir. Cari ayar: <strong>%1</strong>. + + + + Back + Geriyə @@ -3708,44 +3829,62 @@ Output: Keyboard Model - + Klaviatura Modeli Pick your preferred keyboard model or use the default one based on the detected hardware - + Üstünlük verdiyiniz klaviatura modelini seçin və ya avadanlığın özündə aşkar edilmiş standart klaviatura modelindən istifadə edin Refresh - + Yeniləmək Layouts - + Qatları Keyboard Layout - + Klaviatura Qatları Models - + Modellər Variants - + Variantlar Test your keyboard - + klaviaturanızı yoxlayın + + + + localeq + + + System language set to %1 + Sistem dilini %1 qurmaq + + + + Numbers and dates locale set to %1 + Yerli saylvə tarix formatlarını %1 qurmaq + + + + Change + Dəyişdirmək @@ -3754,7 +3893,8 @@ Output: <h3>%1</h3> <p>These are example release notes.</p> - + <h3>%1</h3> + <p>Bunlar buraxılış qeydləri nümunəsidir.</p> @@ -3782,12 +3922,32 @@ Output: </ul> <p>The vertical scrollbar is adjustable, current width set to 10.</p> - + <h3>%1</h3> + <p>Bu Flickable tərkibləri ilə RichText seçimlərində göstərilən QML faylı nümunəsidir</p> + + <p>QML RichText ilə HTML yarlığı istifadə edə bilər, Flickable daha çox toxunaqlı ekranlar üçün istifadə olunur.</p> + + <p><b>Bu qalın şriftli mətndir</b></p> + <p><i>Bu kursif şriftli mətndir</i></p> + <p><u>Bu al cizgili şriftli mətndir</u></p> + <p><center>Bu mətn mərkəzdə yerləşəcək.</center></p> + <p><s>Bu üzəri cizgilidir</s></p> + + <p>Kod nümunəsi: + <code>ls -l /home</code></p> + + <p><b>Siyahı:</b></p> + <ul> + <li>Intel CPU sistemləri</li> + <li>AMD CPU sistemləri</li> + </ul> + + <p>Şaquli sürüşmə çubuğu tənzimlənir, cari eni 10-a qurulur.</p> Back - + Geriyə @@ -3796,32 +3956,33 @@ Output: <h3>Welcome to the %1 <quote>%2</quote> installer</h3> <p>This program will ask you some questions and set up %1 on your computer.</p> - + <h3>%1quraşdırıcısına <quote>%2</quote> Xoş Gəldiniz</h3> + <p>Bu proqram sizə bəzi suallar verəcək və %1 komputerinizə quraşdıracaq.</p> - + About - + Haqqında - + Support - + Dəstək - + Known issues - + Məlum problemlər - + Release notes - + Buraxılış qeydləri - + Donate - + Maddi dəstək diff --git a/lang/calamares_be.ts b/lang/calamares_be.ts index edf61aa21..15b4bc2b8 100644 --- a/lang/calamares_be.ts +++ b/lang/calamares_be.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Наладзіць - + Install Усталяваць @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Задача схібіла (%1) - + Programmed job failure was explicitly requested. Запраграмаваная памылка задачы была па запыту. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Завершана @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Прыклад задачы (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Запусціць загад '%1' у мэтавай сістэме. - + Run command '%1'. Запусціць загад '%1'. - + Running command %1 %2 Выкананне загада %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Выкананне аперацыі %1. - + Bad working directory path Няправільны шлях да працоўнага каталога - + Working directory %1 for python job %2 is not readable. Працоўны каталог %1 для задачы python %2 недаступны для чытання. - + Bad main script file Хібны галоўны файл скрыпта - + Main script file %1 for python job %2 is not readable. Галоўны файл скрыпта %1 для задачы python %2 недаступны для чытання. - + Boost.Python error in job "%1". Boost.Python памылка ў задачы "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Праверка патрабаванняў да модуля <i>%1</i> выкананая. + - + Waiting for %n module(s). Чакаецца %n модуль. @@ -238,7 +243,7 @@ - + (%n second(s)) (%n секунда) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Праверка адпаведнасці сістэмным патрабаванням завершаная. @@ -277,13 +282,13 @@ - + &Yes &Так - + &No &Не @@ -318,108 +323,108 @@ <br/>Не атрымалася загрузіць наступныя модулі: - + Continue with setup? Працягнуць усталёўку? - + Continue with installation? Працягнуць усталёўку? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Праграма ўсталёўкі %1 гатовая ўнесці змены на ваш дыск, каб усталяваць %2.<br/><strong>Скасаваць змены будзе немагчыма.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Праграма ўсталёўкі %1 гатовая ўнесці змены на ваш дыск, каб усталяваць %2.<br/><strong>Адрабіць змены будзе немагчыма.</strong> - + &Set up now &Усталяваць - + &Install now &Усталяваць - + Go &back &Назад - + &Set up &Усталяваць - + &Install &Усталяваць - + Setup is complete. Close the setup program. Усталёўка завершаная. Закрыйце праграму ўсталёўкі. - + The installation is complete. Close the installer. Усталёўка завершаная. Закрыйце праграму. - + Cancel setup without changing the system. Скасаваць усталёўку без змены сістэмы. - + Cancel installation without changing the system. Скасаваць усталёўку без змены сістэмы. - + &Next &Далей - + &Back &Назад - + &Done &Завершана - + &Cancel &Скасаваць - + Cancel setup? Скасаваць усталёўку? - + Cancel installation? Скасаваць усталёўку? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Сапраўды хочаце скасаваць працэс усталёўкі? Праграма спыніць працу, а ўсе змены страцяцца. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Сапраўды хочаце скасаваць працэс усталёўкі? Усталёўшчык спыніць працу, а ўсе змены страцяцца. @@ -428,22 +433,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Невядомы тып выключэння - + unparseable Python error памылка Python, якую немагчыма разабраць - + unparseable Python traceback python traceback, што немагчыма разабраць - + Unfetchable Python error. Невядомая памылка Python. @@ -461,32 +466,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information Паказаць адладачную інфармацыю - + &Back &Назад - + &Next &Далей - + &Cancel &Скасаваць - + %1 Setup Program Праграма ўсталёўкі %1 - + %1 Installer Праграма ўсталёўкі %1 @@ -683,18 +688,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. Не атрымалася запусціць загад. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Загад выконваецца ў асяроддзі ўсталёўшчыка. Яму неабходна ведаць шлях да каранёвага раздзела, але rootMountPoint не вызначаны. - + The command needs to know the user's name, but no username is defined. Загаду неабходна ведаць імя карыстальніка, але яно не вызначана. @@ -747,49 +752,49 @@ The installer will quit and all changes will be lost. Сеткавая ўсталёўка. (Адключана: немагчыма атрымаць спіс пакункаў, праверце ваша сеткавае злучэнне) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Гэты камп’ютар не адпавядае мінімальным патрэбам для ўсталёўкі %1.<br/>Немагчыма працягнуць. <a href="#details">Падрабязней...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Гэты камп’ютар не адпавядае мінімальным патрэбам для ўсталёўкі %1.<br/>Немагчыма працягнуць. <a href="#details">Падрабязней...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталёўкі %1.<br/>Можна працягнуць усталёўку, але некаторыя магчымасці могуць быць недаступнымі. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталёўкі %1.<br/>Можна працягнуць усталёўку, але некаторыя магчымасці могуць быць недаступнымі. - + This program will ask you some questions and set up %2 on your computer. Гэтая праграма задасць вам некалькі пытанняў і дапаможа ўсталяваць %2 на ваш камп’ютар. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Вітаем у праграме ўсталёўкі Calamares для %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Вітаем у праграме ўсталёўкі %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Вітаем ва ўсталёўшчыку Calamares для %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Вітаем у праграме ўсталёўкі %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1226,37 +1231,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information Вызначыць звесткі пра раздзел - + Install %1 on <strong>new</strong> %2 system partition. Усталяваць %1 на <strong>новы</strong> %2 сістэмны раздзел. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Наладзіць <strong>новы</strong> %2 раздзел з пунктам мантавання <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Усталяваць %2 на %3 сістэмны раздзел <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Наладзіць %3 раздзел <strong>%1</strong> з пунктам мантавання <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Усталяваць загрузчык на <strong>%1</strong>. - + Setting up mount points. Наладка пунктаў мантавання. @@ -1274,32 +1279,32 @@ The installer will quit and all changes will be lost. &Перазапусціць - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Гатова.</h1><br/>Сістэма %1 усталяваная на ваш камп’ютар.<br/> Вы ўжо можаце пачаць выкарыстоўваць вашу новую сістэму. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Калі адзначана, то сістэма перазапусціцца адразу пасля націскання кнопкі <span style="font-style:italic;">Завершана</span> альбо закрыцця праграмы ўсталёўкі.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Завершана.</h1><br/>Сістэма %1 усталяваная на ваш камп’ютар.<br/>Вы можаце перазапусціць камп’ютар і ўвайсці ў яе, альбо працягнуць працу ў Live-асяроддзі %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Калі адзначана, то сістэма перазапусціцца адразу пасля націскання кнопкі <span style="font-style:italic;">Завершана</span> альбо закрыцця праграмы ўсталёўкі.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Адбыўся збой</h1><br/>Сістэму %1 не атрымалася ўсталяваць на ваш камп’ютар.<br/>Паведамленне памылкі: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Адбыўся збой</h1><br/>Сістэму %1 не атрымалася ўсталяваць на ваш камп’ютар.<br/>Паведамленне памылкі: %2. @@ -1307,27 +1312,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Завяршыць - + Setup Complete Усталёўка завершаная - + Installation Complete Усталёўка завершаная - + The setup of %1 is complete. Усталёўка %1 завершаная. - + The installation of %1 is complete. Усталёўка %1 завершаная. @@ -1358,72 +1363,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space даступна прынамсі %1 Гб вольнага месца - + There is not enough drive space. At least %1 GiB is required. Недастаткова месца. Неабходна прынамсі %1 Гб. - + has at least %1 GiB working memory даступна прынамсі %1 Гб аператыўнай памяці - + The system does not have enough working memory. At least %1 GiB is required. Недастаткова аператыўнай памяці. Патрэбна прынамсі %1 Гб. - + is plugged in to a power source падключана да крыніцы сілкавання - + The system is not plugged in to a power source. Не падключана да крыніцы сілкавання. - + is connected to the Internet ёсць злучэнне з інтэрнэтам - + The system is not connected to the Internet. Злучэнне з інтэрнэтам адсутнічае. - + is running the installer as an administrator (root) праграма ўсталёўкі запушчаная ад імя адміністратара (root) - + The setup program is not running with administrator rights. Праграма ўсталёўкі запушчаная без правоў адміністратара. - + The installer is not running with administrator rights. Праграма ўсталёўкі запушчаная без правоў адміністратара. - + has a screen large enough to show the whole installer ёсць экран, памераў якога дастаткова, каб адлюстраваць акно праграмы ўсталёўкі - + The screen is too small to display the setup program. Экран занадта малы для таго, каб адлюстраваць акно праграмы ўсталёўкі. - + The screen is too small to display the installer. Экран занадта малы для таго, каб адлюстраваць акно праграмы ўсталёўкі. @@ -1771,6 +1776,16 @@ The installer will quit and all changes will be lost. Для MachineId не вызначана каранёвага пункта мантавання. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1909,6 +1924,19 @@ The installer will quit and all changes will be lost. Вызначыць масавы ідэнтыфікатар OEM для <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2496,107 +2524,107 @@ The installer will quit and all changes will be lost. Раздзелы - + Install %1 <strong>alongside</strong> another operating system. Усталяваць %1 <strong>побач</strong> з іншай аперацыйнай сістэмай. - + <strong>Erase</strong> disk and install %1. <strong>Ачысціць</strong> дыск і ўсталяваць %1. - + <strong>Replace</strong> a partition with %1. <strong>Замяніць</strong> раздзел на %1. - + <strong>Manual</strong> partitioning. <strong>Уласнаручная</strong> разметка. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Усталяваць %1 <strong>побач</strong> з іншай аперацыйнай сістэмай на дыск<strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Ачысціць</strong> дыск <strong>%2</strong> (%3) і ўсталяваць %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Замяніць</strong> раздзел на дыску <strong>%2</strong> (%3) на %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Уласнаручная</strong> разметка дыска<strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Дыск <strong>%1</strong> (%2) - + Current: Бягучы: - + After: Пасля: - + No EFI system partition configured Няма наладжанага сістэмнага раздзела EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Не вызначаны сцяг сістэмнага раздзела EFI - + Option to use GPT on BIOS Параметр для выкарыстання GPT у BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Табліца раздзелаў GPT - найлепшы варыянт для ўсіх сістэм. Гэтая праграма ўсталёўкі таксама падтрымлівае гэты варыянт і для BIOS.<br/><br/>Каб наладзіць GPT для BIOS (калі гэта яшчэ не зроблена), вярніцеся назад і абярыце табліцу раздзелаў GPT, пасля стварыце нефарматаваны раздзел памерам 8 МБ са сцягам <strong>bios_grub</strong>.<br/><br/>Гэты раздзел патрэбны для запуску %1 у BIOS з GPT. - + Boot partition not encrypted Загрузачны раздзел не зашыфраваны - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Уключана шыфраванне каранёвага раздзела, але выкарыстаны асобны загрузачны раздзел без шыфравання.<br/><br/>Пры такой канфігурацыі могуць узнікнуць праблемы з бяспекай, бо важныя сістэмныя даныя будуць захоўвацца на раздзеле без шыфравання.<br/>Вы можаце працягнуць, але файлавая сістэма разблакуецца падчас запуску сістэмы.<br/>Каб уключыць шыфраванне загрузачнага раздзела, вярніцеся назад і стварыце яго нанова, адзначыўшы <strong>Шыфраваць</strong> у акне стварэння раздзела. - + has at least one disk device available. ёсць прынамсі адна даступная дыскавая прылада. - + There are no partitions to install on. Няма раздзелаў для ўсталёўкі. @@ -2662,14 +2690,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. Вываду ад загада няма. - + Output: @@ -2678,52 +2706,52 @@ Output: - + External command crashed. Вонкавы загад схібіў. - + Command <i>%1</i> crashed. Загад <i>%1</i> схібіў. - + External command failed to start. Не атрымалася запусціць вонкавы загад. - + Command <i>%1</i> failed to start. Не атрымалася запусціць загад <i>%1</i>. - + Internal error when starting command. Падчас запуску загада адбылася ўнутраная памылка. - + Bad parameters for process job call. Хібныя параметры выкліку працэсу. - + External command failed to finish. Не атрымалася завяршыць вонкавы загад. - + Command <i>%1</i> failed to finish in %2 seconds. Загад <i>%1</i> не атрымалася завяршыць за %2 секунд. - + External command finished with errors. Вонкавы загад завяршыўся з памылкамі. - + Command <i>%1</i> finished with exit code %2. Загад <i>%1</i> завяршыўся з кодам %2. @@ -2731,32 +2759,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Праверка патрабаванняў да модуля <i>%1</i> выкананая. - - - + unknown невядома - + extended пашыраны - + unformatted нефарматавана - + swap swap @@ -2810,6 +2833,15 @@ Output: Прастора без раздзелаў, альбо невядомая табліца раздзелаў + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2845,73 +2877,88 @@ Output: Форма - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Абярыце куды ўсталяваць %1.<br/><font color="red">Увага: </font>усе файлы на абраным раздзеле выдаляцца. - + The selected item does not appear to be a valid partition. Абраны элемент не з’яўляецца прыдатным раздзелам. - + %1 cannot be installed on empty space. Please select an existing partition. %1 немагчыма ўсталяваць па-за межамі раздзела. Калі ласка, абярыце існы раздзел. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 немагчыма ўсталяваць на пашыраны раздзел. Калі ласка, абярыце існы асноўны альбо лагічны раздзел. - + %1 cannot be installed on this partition. %1 немагчыма ўсталяваць на гэты раздзел. - + Data partition (%1) Раздзел даных (%1) - + Unknown system partition (%1) Невядомы сістэмны раздзел (%1) - + %1 system partition (%2) %1 сістэмны раздзел (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Раздзел %1 занадта малы для %2. Калі ласка, абярыце раздзел памерам прынамсі %3 Гб. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Не выяўлена сістэмнага раздзела EFI. Калі ласка, вярніцеся назад і ўласнаручна выканайце разметку для ўсталёўкі %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 будзе ўсталяваны на %2.<br/><font color="red">Увага: </font>усе даныя на раздзеле %2 страцяцца. - + The EFI system partition at %1 will be used for starting %2. Сістэмны раздзел EFI на %1 будзе выкарыстаны для запуску %2. - + EFI system partition: Сістэмны раздзел EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3034,12 +3081,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Для дасягнення найлепшых вынікаў пераканайцеся, што гэты камп’ютар: - + System requirements Сістэмныя патрабаванні @@ -3047,27 +3094,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Гэты камп’ютар не адпавядае мінімальным патрэбам для ўсталёўкі %1.<br/>Немагчыма працягнуць. <a href="#details">Падрабязней...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Гэты камп’ютар не адпавядае мінімальным патрэбам для ўсталёўкі %1.<br/>Немагчыма працягнуць. <a href="#details">Падрабязней...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталёўкі %1.<br/>Можна працягнуць усталёўку, але некаторыя магчымасці могуць быць недаступнымі. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Гэты камп’ютар адпавядае не ўсім патрэбам для ўсталёўкі %1.<br/>Можна працягнуць усталёўку, але некаторыя магчымасці могуць быць недаступнымі. - + This program will ask you some questions and set up %2 on your computer. Гэтая праграма задасць вам некалькі пытанняў і дапаможа ўсталяваць %2 на ваш камп’ютар. @@ -3350,51 +3397,80 @@ Output: TrackingInstallJob - + Installation feedback Справаздача па ўсталёўцы - + Sending installation feedback. Адпраўленне справаздачы па ўсталёўцы. - + Internal error in install-tracking. Унутраная памылка адсочвання ўсталёўкі. - + HTTP request timed out. Час чакання адказу ад HTTP сышоў. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Сістэма зваротнай сувязі - + Configuring machine feedback. Наладка сістэмы зваротнай сувязі. - - + + Error in machine feedback configuration. Памылка ў канфігурацыі сістэмы зваротнай сувязі. - + Could not configure machine feedback correctly, script error %1. Не атрымалася наладзіць сістэму зваротнай сувязі, памылка скрыпта %1. - + Could not configure machine feedback correctly, Calamares error %1. Не атрымалася наладзіць сістэму зваротнай сувязі, памылка Calamares %1. @@ -3413,8 +3489,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Калі вы гэта абярэце, то не будзе адпрашлена <span style=" font-weight:600;">ніякіх звестак</span> пра вашу ўсталёўку.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3422,30 +3498,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Пстрыкніце сюды, каб праглядзець больш звестак зваротнай сувязі ад карыстальнікаў</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Адсочванне ўсталёўкі дазваляе %1 даведацца пра колькасць карыстальнікаў, на якім абсталяванні ўсталёўваецца %1, якія праграмы карыстаюцца найбольшым попытам. Каб праглядзець звесткі, якія будуць адпраўляцца, пстрыкніце па значку ля кожнай вобласці. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Абраўшы гэты пункт вы адправіце звесткі пра сваю канфігурацыю ўсталёўкі і ваша абсталяванне. Звесткі адправяцца <b>адзін раз</b> пасля завяршэння ўсталёўкі. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Абраўшы гэты пункт вы будзеце <b>перыядычна</b> адпраўляць %1 звесткі пра канфігурацыю сваёй усталёўкі, абсталяванне і праграмы. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Абраўшы гэты пункт вы будзеце <b>рэгулярна</b> адпраўляць %1 звесткі пра канфігурацыю сваёй усталёўкі, абсталяванне, праграмы і вобласці іх выкарыстання. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Зваротная сувязь @@ -3631,42 +3707,42 @@ Output: &Нататкі да выпуску - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Вітаем у праграме ўсталёўкі Calamares для %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Вітаем у праграме ўсталёўкі %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Вітаем ва ўсталёўшчыку Calamares для %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Вітаем у праграме ўсталёўкі %1.</h1> - + %1 support падтрымка %1 - + About %1 setup Пра ўсталёўку %1 - + About %1 installer Пра ўсталёўшчык %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3674,7 +3750,7 @@ Output: WelcomeQmlViewStep - + Welcome Вітаем @@ -3682,7 +3758,7 @@ Output: WelcomeViewStep - + Welcome Вітаем @@ -3721,6 +3797,26 @@ Output: Назад + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Назад + + keyboardq @@ -3766,6 +3862,24 @@ Output: Пратэстуйце сваю клавіятуру + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3818,27 +3932,27 @@ Output: - + About Пра праграму - + Support Падтрымка - + Known issues Вядомыя праблемы - + Release notes Нататкі да выпуску - + Donate Ахвяраваць diff --git a/lang/calamares_bg.ts b/lang/calamares_bg.ts index 1b7a8ee83..17c13fd90 100644 --- a/lang/calamares_bg.ts +++ b/lang/calamares_bg.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Инсталирай @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Готово @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Изпълняване на команда %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Изпълнение на %1 операция. - + Bad working directory path Невалиден път на работната директория - + Working directory %1 for python job %2 is not readable. Работна директория %1 за python задача %2 не се чете. - + Bad main script file Невалиден файл на главен скрипт - + Main script file %1 for python job %2 is not readable. Файлът на главен скрипт %1 за python задача %2 не се чете. - + Boost.Python error in job "%1". Boost.Python грешка в задача "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Да - + &No &Не @@ -314,108 +319,108 @@ <br/>Следните модули не могат да се заредят: - + Continue with setup? Продължаване? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Инсталатора на %1 ще направи промени по вашия диск за да инсталира %2. <br><strong>Промените ще бъдат окончателни.</strong> - + &Set up now - + &Install now &Инсталирай сега - + Go &back В&ръщане - + &Set up - + &Install &Инсталирай - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Инсталацията е завършена. Затворете инсталаторa. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Отказ от инсталацията без промяна на системата. - + &Next &Напред - + &Back &Назад - + &Done &Готово - + &Cancel &Отказ - + Cancel setup? - + Cancel installation? Отмяна на инсталацията? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Наистина ли искате да отмените текущият процес на инсталиране? @@ -425,22 +430,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Неизвестен тип изключение - + unparseable Python error неанализируема грешка на Python - + unparseable Python traceback неанализируемо проследяване на Python - + Unfetchable Python error. Недостъпна грешка на Python. @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information Покажи информация за отстраняване на грешки - + &Back &Назад - + &Next &Напред - + &Cancel &Отказ - + %1 Setup Program - + %1 Installer %1 Инсталатор @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. Командата не може да се изпълни. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Командата се изпълнява в средата на хоста и трябва да установи местоположението на основния дял, но rootMountPoint не е определен. - + The command needs to know the user's name, but no username is defined. Командата трябва да установи потребителското име на профила, но такова не е определено. @@ -743,50 +748,50 @@ The installer will quit and all changes will be lost. Мрежова инсталация. (Изключена: Списъкът с пакети не може да бъде извлечен, проверете Вашата Интернет връзка) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Този компютър не отговаря на минималните изисквания за инсталиране %1.<br/>Инсталацията не може да продължи. <a href="#details">Детайли...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Този компютър не отговаря на някои от препоръчителните изисквания за инсталиране %1.<br/>Инсталацията може да продължи, но някои свойства могат да бъдат недостъпни. - + This program will ask you some questions and set up %2 on your computer. Тази програма ще ви зададе няколко въпроса и ще конфигурира %2 на вашия компютър. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Добре дошли при инсталатора Calamares на %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Добре дошли при инсталатора на %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information Постави информация за дял - + Install %1 on <strong>new</strong> %2 system partition. Инсталирай %1 на <strong>нов</strong> %2 системен дял. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Създай <strong>нов</strong> %2 дял със точка на монтиране <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Инсталирай %2 на %3 системен дял <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Създай %3 дял <strong>%1</strong> с точка на монтиране <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Инсталиране на зареждач върху <strong>%1</strong>. - + Setting up mount points. Настройка на точките за монтиране. @@ -1271,32 +1276,32 @@ The installer will quit and all changes will be lost. &Рестартирай сега - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Завършено.</h1><br/>%1 беше инсталирана на вашият компютър.<br/>Вече можете да рестартирате в новата си система или да продължите да използвате %2 Живата среда. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Инсталацията е неуспешна</h1><br/>%1 не е инсталиран на Вашия компютър.<br/>Съобщението с грешката е: %2. @@ -1304,27 +1309,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Завърши - + Setup Complete - + Installation Complete Инсталацията е завършена - + The setup of %1 is complete. - + The installation of %1 is complete. Инсталацията на %1 е завършена. @@ -1355,72 +1360,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source е включен към източник на захранване - + The system is not plugged in to a power source. Системата не е включена към източник на захранване. - + is connected to the Internet е свързан към интернет - + The system is not connected to the Internet. Системата не е свързана с интернет. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Инсталаторът не е стартиран с права на администратор. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Екранът е твърде малък за инсталатора. @@ -1768,6 +1773,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ The installer will quit and all changes will be lost. Дялове - + Install %1 <strong>alongside</strong> another operating system. Инсталирай %1 <strong>заедно</strong> с друга операционна система. - + <strong>Erase</strong> disk and install %1. <strong>Изтрий</strong> диска и инсталирай %1. - + <strong>Replace</strong> a partition with %1. <strong>Замени</strong> дял с %1. - + <strong>Manual</strong> partitioning. <strong>Ръчно</strong> поделяне. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Инсталирай %1 <strong>заедно</strong> с друга операционна система на диск <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Изтрий</strong> диск <strong>%2</strong> (%3) и инсталирай %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Замени</strong> дял на диск <strong>%2</strong> (%3) с %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ръчно</strong> поделяне на диск <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Диск <strong>%1</strong> (%2) - + Current: Сегашен: - + After: След: - + No EFI system partition configured Няма конфигуриран EFI системен дял - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Не е зададен флаг на EFI системен дял - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Липсва криптиране на дял за начално зареждане - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2659,13 +2687,13 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: @@ -2674,52 +2702,52 @@ Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Невалидни параметри за извикване на задача за процес. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2727,32 +2755,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown неизвестна - + extended разширена - + unformatted неформатирана - + swap swap @@ -2806,6 +2829,15 @@ Output: Неразделено пространство или неизвестна таблица на дяловете + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Output: Форма - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Изберете къде да инсталирате %1.<br/><font color="red">Предупреждение: </font>това ще изтрие всички файлове върху избраният дял. - + The selected item does not appear to be a valid partition. Избраният предмет не изглежда да е валиден дял. - + %1 cannot be installed on empty space. Please select an existing partition. %1 не може да бъде инсталиран на празно пространство. Моля изберете съществуващ дял. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 не може да бъде инсталиран върху разширен дял. Моля изберете съществуващ основен или логически дял. - + %1 cannot be installed on this partition. %1 не може да бъде инсталиран върху този дял. - + Data partition (%1) Дял на данните (%1) - + Unknown system partition (%1) Непознат системен дял (%1) - + %1 system partition (%2) %1 системен дял (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Дялът %1 е твърде малък за %2. Моля изберете дял с капацитет поне %3 ГБ. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI системен дял не е намерен. Моля, опитайте пак като използвате ръчно поделяне за %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 ще бъде инсталиран върху %2.<br/><font color="red">Предупреждение: </font>всички данни на дял %2 ще бъдат изгубени. - + The EFI system partition at %1 will be used for starting %2. EFI системен дял в %1 ще бъде използван за стартиране на %2. - + EFI system partition: EFI системен дял: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: За най-добри резултати, моля бъдете сигурни че този компютър: - + System requirements Системни изисквания @@ -3043,28 +3090,28 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Този компютър не отговаря на минималните изисквания за инсталиране %1.<br/>Инсталацията не може да продължи. <a href="#details">Детайли...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Този компютър не отговаря на някои от препоръчителните изисквания за инсталиране %1.<br/>Инсталацията може да продължи, но някои свойства могат да бъдат недостъпни. - + This program will ask you some questions and set up %2 on your computer. Тази програма ще ви зададе няколко въпроса и ще конфигурира %2 на вашия компютър. @@ -3347,51 +3394,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob - + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3410,7 +3486,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3419,30 +3495,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback Обратна връзка @@ -3628,42 +3704,42 @@ Output: &Бележки по изданието - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Добре дошли при инсталатора Calamares на %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Добре дошли при инсталатора на %1.</h1> - + %1 support %1 поддръжка - + About %1 setup - + About %1 installer Относно инсталатор %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Output: WelcomeQmlViewStep - + Welcome Добре дошли @@ -3679,7 +3755,7 @@ Output: WelcomeViewStep - + Welcome Добре дошли @@ -3708,6 +3784,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3753,6 +3849,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3804,27 +3918,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_bn.ts b/lang/calamares_bn.ts index a74690da3..afb7f16ee 100644 --- a/lang/calamares_bn.ts +++ b/lang/calamares_bn.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done সম্পন্ন @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path খারাপ ওয়ার্কিং ডিরেক্টরি পাথ - + Working directory %1 for python job %2 is not readable. ওয়ার্কিং ডিরেক্টরি 1% পাইথন কাজের জন্য % 2 পাঠযোগ্য নয়। - + Bad main script file খারাপ প্রধান স্ক্রিপ্ট ফাইল - + Main script file %1 for python job %2 is not readable. মূল স্ক্রিপ্ট ফাইল 1% পাইথন কাজের জন্য 2% পাঠযোগ্য নয়। - + Boost.Python error in job "%1". বুস্ট.পাইথন কাজে 1% ত্রুটি @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next এবং পরবর্তী - + &Back এবং পেছনে - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type অজানা ব্যতিক্রম প্রকার - + unparseable Python error আনপারসেবল পাইথন ত্রুটি - + unparseable Python traceback আনপারসেবল পাইথন ট্রেসব্যাক - + Unfetchable Python error. অপরিবর্তনীয় পাইথন ত্রুটি। @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back এবং পেছনে - + &Next এবং পরবর্তী - + &Cancel - + %1 Setup Program - + %1 Installer 1% ইনস্টল @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ca.ts b/lang/calamares_ca.ts index 800221588..66f10c019 100644 --- a/lang/calamares_ca.ts +++ b/lang/calamares_ca.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Configuració - + Install Instal·la @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Ha fallat la tasca (%1) - + Programmed job failure was explicitly requested. S'ha demanat explícitament la fallada de la tasca programada. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Fet @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Tasca d'exemple (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Executa l'ordre "%1" al sistema de destinació. - + Run command '%1'. Executa l'ordre "%1". - + Running command %1 %2 S'executa l'ordre %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. S'executa l'operació %1. - + Bad working directory path Camí incorrecte al directori de treball - + Working directory %1 for python job %2 is not readable. El directori de treball %1 per a la tasca python %2 no és llegible. - + Bad main script file Fitxer erroni d'script principal - + Main script file %1 for python job %2 is not readable. El fitxer de script principal %1 per a la tasca de python %2 no és llegible. - + Boost.Python error in job "%1". Error de Boost.Python a la tasca "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + S'ha completat la comprovació dels requeriments per al mòdul <i>%1</i>. + - + Waiting for %n module(s). S'espera %n mòdul. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n segon) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. S'ha completat la comprovació dels requeriments del sistema. @@ -273,13 +278,13 @@ - + &Yes &Sí - + &No &No @@ -314,109 +319,109 @@ <br/>No s'han pogut carregar els mòduls següents: - + Continue with setup? Voleu continuar la configuració? - + Continue with installation? Voleu continuar la instal·lació? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> El programa de configuració %1 està a punt de fer canvis al disc per tal de configurar %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> L'instal·lador per a %1 està a punt de fer canvis al disc per tal d'instal·lar-hi %2.<br/><strong>No podreu desfer aquests canvis.</strong> - + &Set up now Con&figura-ho ara - + &Install now &Instal·la'l ara - + Go &back Ves &enrere - + &Set up Con&figura-ho - + &Install &Instal·la - + Setup is complete. Close the setup program. La configuració s'ha acabat. Tanqueu el programa de configuració. - + The installation is complete. Close the installer. La instal·lació s'ha acabat. Tanqueu l'instal·lador. - + Cancel setup without changing the system. Cancel·la la configuració sense canviar el sistema. - + Cancel installation without changing the system. Cancel·leu la instal·lació sense canviar el sistema. - + &Next &Següent - + &Back &Enrere - + &Done &Fet - + &Cancel &Cancel·la - + Cancel setup? Voleu cancel·lar la configuració? - + Cancel installation? Voleu cancel·lar la instal·lació? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Realment voleu cancel·lar el procés de configuració actual? El programa de configuració es tancarà i es perdran tots els canvis. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Voleu cancel·lar el procés d'instal·lació actual? @@ -426,22 +431,22 @@ L'instal·lador es tancarà i tots els canvis es perdran. CalamaresPython::Helper - + Unknown exception type Tipus d'excepció desconeguda - + unparseable Python error Error de Python no analitzable - + unparseable Python traceback Traceback de Python no analitzable - + Unfetchable Python error. Error de Python irrecuperable. @@ -459,32 +464,32 @@ L'instal·lador es tancarà i tots els canvis es perdran. CalamaresWindow - + Show debug information Informació de depuració - + &Back &Enrere - + &Next &Següent - + &Cancel &Cancel·la - + %1 Setup Program Programa de configuració %1 - + %1 Installer Instal·lador de %1 @@ -681,18 +686,18 @@ L'instal·lador es tancarà i tots els canvis es perdran. CommandList - - + + Could not run command. No s'ha pogut executar l'ordre. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. L'odre s'executa a l'entorn de l'amfitrió i necessita saber el camí de l'arrel, però no hi ha definit el punt de muntatge de l'arrel. - + The command needs to know the user's name, but no username is defined. L'ordre necessita saber el nom de l'usuari, però no s'ha definit cap nom d'usuari. @@ -745,49 +750,49 @@ L'instal·lador es tancarà i tots els canvis es perdran. Instal·lació per xarxa. (Inhabilitada: no es poden obtenir les llistes de paquets, comproveu la connexió.) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Aquest ordinador no satisfà els requisits mínims per configurar-hi %1.<br/> La configuració no pot continuar. <a href="#details">Detalls...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Aquest ordinador no satisfà els requisits mínims per instal·lar-hi %1.<br/> La instal·lació no pot continuar. <a href="#details">Detalls...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/>La configuració pot continuar, però algunes característiques podrien estar inhabilitades. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Aquest ordinador no satisfà alguns dels requisits recomanats per instal·lar-hi %1.<br/>La instal·lació pot continuar, però algunes característiques podrien estar inhabilitades. - + This program will ask you some questions and set up %2 on your computer. Aquest programa us farà unes preguntes i instal·larà %2 a l'ordinador. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Benvingut/da al programa de configuració del Calamares per a %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Benvingut/da al programa de configuració del Calamares per a %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Benvingut/da a la configuració per a %1.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Benvingut/da a la configuració per a %1</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Benvingut/da a l'instal·lador Calamares per a %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Benvingut/da a l'instal·lador Calamares per a %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Benvingut/da a l'instal·lador per a %1.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Benvingut/da a l'instal·lador per a %1</h1> @@ -1224,37 +1229,37 @@ L'instal·lador es tancarà i tots els canvis es perdran. FillGlobalStorageJob - + Set partition information Estableix la informació de la partició - + Install %1 on <strong>new</strong> %2 system partition. Instal·la %1 a la partició de sistema <strong>nova</strong> %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Estableix la partició <strong>nova</strong> %2 amb el punt de muntatge <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instal·la %2 a la partició de sistema %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Estableix la partició %3 <strong>%1</strong> amb el punt de muntatge <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instal·la el gestor d'arrencada a <strong>%1</strong>. - + Setting up mount points. S'estableixen els punts de muntatge. @@ -1272,32 +1277,32 @@ L'instal·lador es tancarà i tots els canvis es perdran. &Reinicia ara - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Tot fet.</h1><br/>%1 s'ha configurat a l'ordinador.<br/>Ara podeu començar a usar el nou sistema. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Quan aquesta casella està marcada, el sistema es reiniciarà immediatament quan cliqueu a <span style="font-style:italic;">Fet</span> o tanqueu el programa de configuració.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Tot fet.</h1><br/>%1 s'ha instal·lat a l'ordinador.<br/>Ara podeu reiniciar-lo per tal d'accedir al sistema operatiu nou o bé continuar usant l'entorn autònom de %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Quan aquesta casella està marcada, el sistema es reiniciarà immediatament quan cliqueu a <span style=" font-style:italic;">Fet</span> o tanqueu l'instal·lador.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>La configuració ha fallat.</h1><br/>No s'ha configurat %1 a l'ordinador.<br/>El missatge d'error ha estat el següent: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>La instal·lació ha fallat</h1><br/>No s'ha instal·lat %1 a l'ordinador.<br/>El missatge d'error ha estat el següent: %2. @@ -1305,27 +1310,27 @@ L'instal·lador es tancarà i tots els canvis es perdran. FinishedViewStep - + Finish Acaba - + Setup Complete Configuració completa - + Installation Complete Instal·lació acabada - + The setup of %1 is complete. La configuració de %1 ha acabat. - + The installation of %1 is complete. La instal·lació de %1 ha acabat. @@ -1356,72 +1361,72 @@ L'instal·lador es tancarà i tots els canvis es perdran. GeneralRequirements - + has at least %1 GiB available drive space tingui com a mínim %1 GiB d'espai de disc disponible. - + There is not enough drive space. At least %1 GiB is required. No hi ha prou espai de disc disponible. Com a mínim hi ha d'haver %1 GiB. - + has at least %1 GiB working memory tingui com a mínim %1 GiB de memòria de treball. - + The system does not have enough working memory. At least %1 GiB is required. El sistema no té prou memòria de treball. Com a mínim hi ha d'haver %1 GiB. - + is plugged in to a power source estigui connectat a una presa de corrent. - + The system is not plugged in to a power source. El sistema no està connectat a una presa de corrent. - + is connected to the Internet estigui connectat a Internet. - + The system is not connected to the Internet. El sistema no està connectat a Internet. - + is running the installer as an administrator (root) executi l'instal·lador com a administrador (arrel). - + The setup program is not running with administrator rights. El programa de configuració no s'executa amb privilegis d'administrador. - + The installer is not running with administrator rights. L'instal·lador no s'executa amb privilegis d'administrador. - + has a screen large enough to show the whole installer tingui una pantalla prou grossa per mostrar completament l'instal·lador. - + The screen is too small to display the setup program. La pantalla és massa petita per mostrar el programa de configuració. - + The screen is too small to display the installer. La pantalla és massa petita per mostrar l'instal·lador. @@ -1769,6 +1774,18 @@ L'instal·lador es tancarà i tots els canvis es perdran. No hi ha punt de muntatge d'arrel establert per a MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Si us plau, seleccioneu la ubicació preferida al mapa perquè l'instal·lador pugui suggerir la configuració +de la llengua i la zona horària. Podeu afinar la configuració suggerida a continuació. Busqueu pel mapa arrossegant-lo +per desplaçar-s'hi i useu els botons +/- per fer ampliar-lo o reduir-lo, o bé useu la rodeta del ratolí. + + NetInstallViewStep @@ -1907,6 +1924,19 @@ L'instal·lador es tancarà i tots els canvis es perdran. Estableix l'identificador de lots d'OEM a<code>%1</code>. + + Offline + + + Timezone: %1 + Zona horària: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Per poder seleccionar una zona horària, assegureu-vos que hi hagi connexió a Internet. Reinicieu l'instal·lador després de connectar-hi. A continuació podeu afinar la configuració local i de la llengua. + + PWQ @@ -2494,107 +2524,107 @@ L'instal·lador es tancarà i tots els canvis es perdran. Particions - + Install %1 <strong>alongside</strong> another operating system. Instal·la %1 <strong>al costat</strong> d'un altre sistema operatiu. - + <strong>Erase</strong> disk and install %1. <strong>Esborra</strong> el disc i instal·la-hi %1. - + <strong>Replace</strong> a partition with %1. <strong>Reemplaça</strong> una partició amb %1. - + <strong>Manual</strong> partitioning. Particions <strong>manuals</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instal·la %1 <strong>al costat</strong> d'un altre sistema operatiu al disc <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Esborra</strong> el disc <strong>%2</strong> (%3) i instal·la-hi %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Reemplaça</strong> una partició del disc <strong>%2</strong> (%3) amb %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particions <strong>manuals</strong> del disc <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disc <strong>%1</strong> (%2) - + Current: Actual: - + After: Després: - + No EFI system partition configured No hi ha cap partició EFI de sistema configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Cal una partició EFI de sistema per iniciar %1. <br/><br/>Per configurar una partició EFI de sistema, torneu enrere i seleccioneu o creeu un sistema de fitxers FAT32 amb la bandera <strong>%3</strong> habilitada i el punt de muntatge <strong>%2</strong>. <br/><br/>Podeu continuar sense la creació d'una partició EFI de sistema, però el sistema podria no iniciar-se. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Cal una partició EFI de sistema per iniciar %1. <br/><br/> Ja s'ha configurat una partició amb el punt de muntatge <strong>%2</strong> però no se n'ha establert la bandera <strong>%3</strong>. <br/>Per establir-la-hi, torneu enrere i editeu la partició. <br/><br/>Podeu continuar sense establir la bandera, però el sistema podria no iniciar-se. - + EFI system partition flag not set No s'ha establert la bandera de la partició EFI del sistema - + Option to use GPT on BIOS Opció per usar GPT amb BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. La millor opció per a tots els sistemes és una taula de particions GPT. Aquest instal·lador també admet aquesta configuració per a sistemes BIOS.<br/><br/>Per configurar una taula de particions GPT en un sistema BIOS, (si no s'ha fet ja) torneu enrere i establiu la taula de particions a GPT, després creeu una partició sense formatar de 8 MB amb la bandera <strong>bios_grub</strong> habilitada.<br/><br/>Cal una partició sense format de 8 MB per iniciar %1 en un sistema BIOS amb GPT. - + Boot partition not encrypted Partició d'arrencada sense encriptar - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. S'ha establert una partició d'arrencada separada conjuntament amb una partició d'arrel encriptada, però la partició d'arrencada no està encriptada.<br/><br/>Hi ha assumptes de seguretat amb aquest tipus de configuració, perquè hi ha fitxers del sistema importants en una partició no encriptada.<br/>Podeu continuar, si així ho desitgeu, però el desbloqueig del sistema de fitxers succeirà després, durant l'inici del sistema.<br/>Per encriptar la partició d'arrencada, torneu enrere i torneu-la a crear seleccionant <strong>Encripta</strong> a la finestra de creació de la partició. - + has at least one disk device available. tingui com a mínim un dispositiu de disc disponible. - + There are no partitions to install on. No hi ha particions per fer-hi una instal·lació. @@ -2660,14 +2690,14 @@ L'instal·lador es tancarà i tots els canvis es perdran. ProcessResult - + There was no output from the command. No hi ha hagut sortida de l'ordre. - + Output: @@ -2676,52 +2706,52 @@ Sortida: - + External command crashed. L'ordre externa ha fallat. - + Command <i>%1</i> crashed. L'ordre <i>%1</i> ha fallat. - + External command failed to start. L'ordre externa no s'ha pogut iniciar. - + Command <i>%1</i> failed to start. L'ordre <i>%1</i> no s'ha pogut iniciar. - + Internal error when starting command. Error intern en iniciar l'ordre. - + Bad parameters for process job call. Paràmetres incorrectes per a la crida de la tasca del procés. - + External command failed to finish. L'ordre externa no ha acabat correctament. - + Command <i>%1</i> failed to finish in %2 seconds. L'ordre <i>%1</i> no ha pogut acabar en %2 segons. - + External command finished with errors. L'ordre externa ha acabat amb errors. - + Command <i>%1</i> finished with exit code %2. L'ordre <i>%1</i> ha acabat amb el codi de sortida %2. @@ -2729,32 +2759,27 @@ Sortida: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - S'ha completat la comprovació dels requeriments per al mòdul <i>%1</i>. - - - + unknown desconeguda - + extended ampliada - + unformatted sense format - + swap Intercanvi @@ -2808,6 +2833,16 @@ Sortida: Espai sense partir o taula de particions desconeguda + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/> +La configuració pot continuar, però algunes característiques podrien estar inhabilitades.</p> + + RemoveUserJob @@ -2843,73 +2878,90 @@ Sortida: Formulari - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Seleccioneu on instal·lar %1.<br/><font color="red">Atenció: </font>això suprimirà tots els fitxers de la partició seleccionada. - + The selected item does not appear to be a valid partition. L'element seleccionat no sembla que sigui una partició vàlida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 no es pot instal·lar en un espai buit. Si us plau, seleccioneu una partició existent. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 no es pot instal·lar en un partició ampliada. Si us plau, seleccioneu una partició existent primària o lògica. - + %1 cannot be installed on this partition. %1 no es pot instal·lar en aquesta partició. - + Data partition (%1) Partició de dades (%1) - + Unknown system partition (%1) Partició de sistema desconeguda (%1) - + %1 system partition (%2) %1 partició de sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partició %1 és massa petita per a %2. Si us plau, seleccioneu una partició amb capacitat d'almenys %3 GB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>No es pot trobar cap partició EFI enlloc del sistema. Si us plau, torneu enrere i useu les particions manuals per establir %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 s'instal·larà a %2.<br/><font color="red">Atenció: </font>totes les dades de la partició %2 es perdran. - + The EFI system partition at %1 will be used for starting %2. La partició EFI de sistema a %1 s'usarà per iniciar %2. - + EFI system partition: Partició EFI del sistema: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Aquest ordinador no satisfà els requisits mínims per instal·lar-hi %1.<br/> +La instal·lació no pot continuar.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/> +La configuració pot continuar, però algunes característiques podrien estar inhabilitades.</p> + + ResizeFSJob @@ -3032,12 +3084,12 @@ Sortida: ResultsListDialog - + For best results, please ensure that this computer: Per obtenir els millors resultats, assegureu-vos, si us plau, que aquest ordinador... - + System requirements Requisits del sistema @@ -3045,27 +3097,27 @@ Sortida: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Aquest ordinador no satisfà els requisits mínims per configurar-hi %1.<br/> La configuració no pot continuar. <a href="#details">Detalls...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Aquest ordinador no satisfà els requisits mínims per instal·lar-hi %1.<br/> La instal·lació no pot continuar. <a href="#details">Detalls...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Aquest ordinador no satisfà alguns dels requisits recomanats per configurar-hi %1.<br/>La configuració pot continuar, però algunes característiques podrien estar inhabilitades. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Aquest ordinador no satisfà alguns dels requisits recomanats per instal·lar-hi %1.<br/>La instal·lació pot continuar, però algunes característiques podrien estar inhabilitades. - + This program will ask you some questions and set up %2 on your computer. Aquest programa us farà unes preguntes i instal·larà %2 a l'ordinador. @@ -3348,51 +3400,80 @@ Sortida: TrackingInstallJob - + Installation feedback Informació de retorn de la instal·lació - + Sending installation feedback. S'envia la informació de retorn de la instal·lació. - + Internal error in install-tracking. Error intern a install-tracking. - + HTTP request timed out. La petició HTTP ha esgotat el temps d'espera. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + Informació de retorn d'usuaris de KDE + + + + Configuring KDE user feedback. + Es configura la informació de retorn dels usuaris de KDE. + + + + + Error in KDE user feedback configuration. + Error de configuració de la informació de retorn dels usuaris de KDE. + - + + Could not configure KDE user feedback correctly, script error %1. + No s'ha pogut configurar la informació de retorn dels usuaris de KDE correctament. Error d'script %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + No s'ha pogut configurar la informació de retorn dels usuaris de KDE correctament. Error del Calamares %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Informació de retorn de la màquina - + Configuring machine feedback. Es configura la informació de retorn de la màquina. - - + + Error in machine feedback configuration. Error a la configuració de la informació de retorn de la màquina. - + Could not configure machine feedback correctly, script error %1. No s'ha pogut configurar la informació de retorn de la màquina correctament. Error d'script %1. - + Could not configure machine feedback correctly, Calamares error %1. No s'ha pogut configurar la informació de retorn de la màquina correctament. Error del Calamares %1. @@ -3411,8 +3492,8 @@ Sortida: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Si seleccioneu això, no enviareu <span style=" font-weight:600;">cap mena d'informació</span> sobre la vostra instal·lació.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Cliqueu aquí per no enviar <span style=" font-weight:600;">cap mena d'informació</span> de la vostra instal·lació.</p></body></html> @@ -3420,30 +3501,30 @@ Sortida: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Cliqueu aquí per a més informació sobre la informació de retorn dels usuaris.</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - El seguiment de la instal·lació ajuda %1 a veure quants usuaris tenen, en quin maquinari s'instal·la %1 i (amb les últimes dues opcions de baix), a obtenir informació contínua d'aplicacions preferides. Per veure el que s'enviarà, cliqueu a la icona d'ajuda contigua a cada àrea. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + El seguiment ajuda els desenvolupadors de %1 a veure amb quina freqüència, en quin maquinari s’instal·la i quines aplicacions s’usen. Per veure què s’enviarà, cliqueu a la icona d’ajuda que hi ha al costat de cada àrea. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Si seleccioneu això, enviareu informació sobre la vostra instal·lació i el vostre maquinari. Aquesta informació <b>només s'enviarà un cop</b> després d'acabar la instal·lació. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Si seleccioneu això, enviareu informació de la vostra instal·lació i el vostre maquinari. Aquesta informació només s'enviarà <b>un cop</b> després d'acabar la instal·lació. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Si seleccioneu això, enviareu informació <b>periòdicament</b>sobre la instal·lació, el maquinari i les aplicacions a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Si seleccioneu això, enviareu informació periòdicament de la instal·lació a la vostra <b>màquina</b>, el maquinari i les aplicacions a %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Si seleccioneu això, enviareu informació <b>regularment</b>sobre la instal·lació, el maquinari, les aplicacions i els patrons d'ús a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Si seleccioneu això, enviareu informació regularment de la instal·lació del vostre <b>usuari</b>, el maquinari, les aplicacions i els patrons d'ús a %1. TrackingViewStep - + Feedback Informació de retorn @@ -3629,42 +3710,42 @@ Sortida: &Notes de la versió - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Benvingut/da al programa de configuració del Calamares per a %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Benvingut/da a la configuració per a %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Benvingut/da a l'instal·lador Calamares per a %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Benvingut/da a l'instal·lador per a %1.</h1> - + %1 support %1 suport - + About %1 setup Quant a la configuració de %1 - + About %1 installer Quant a l'instal·lador %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Agraïments per a <a href="https://calamares.io/team/">l'equip del Calamares</a> i per a <a href="https://www.transifex.com/calamares/calamares/">l'equip de traductors del Calamares</a>.<br/><br/>El desenvolupament del<a href="https://calamares.io/">Calamares</a> està patrocinat per <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3753,7 @@ Sortida: WelcomeQmlViewStep - + Welcome Benvingut/da @@ -3680,7 +3761,7 @@ Sortida: WelcomeViewStep - + Welcome Benvingut/da @@ -3720,6 +3801,28 @@ Sortida: Enrere + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Llengües</h1> </br> + La configuració local del sistema afecta la llengua i el joc de caràcters d'alguns elements de la interfície de línia d'ordres. La configuració actual és <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Configuració local</h1> </br> + La configuració local del sistema afecta la llengua i el joc de caràcters d'alguns elements de la interfície de línia d'ordres. La configuració actual és <strong>%1</strong>. + + + + Back + Enrere + + keyboardq @@ -3765,6 +3868,24 @@ Sortida: Proveu el teclat. + + localeq + + + System language set to %1 + Llengua del sistema establerta a %1 + + + + Numbers and dates locale set to %1 + Llengua dels números i dates establerta a %1 + + + + Change + Canvia-ho + + notesqml @@ -3838,27 +3959,27 @@ Sortida: <p>Aquest programa us preguntarà unes quantes coses i instal·larà el %1 a l'ordinador. </p> - + About Quant a - + Support Suport - + Known issues Problemes coneguts - + Release notes Notes de la versió - + Donate Feu una donació diff --git a/lang/calamares_ca@valencia.ts b/lang/calamares_ca@valencia.ts index b959a29a5..0b8747b2e 100644 --- a/lang/calamares_ca@valencia.ts +++ b/lang/calamares_ca@valencia.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support %1 soport - + About %1 setup - + About %1 installer Sobre %1 instal·lador - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome Benvingut @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome Benvingut @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_cs_CZ.ts b/lang/calamares_cs_CZ.ts index 367c4f94d..e38f1ff69 100644 --- a/lang/calamares_cs_CZ.ts +++ b/lang/calamares_cs_CZ.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Nastavit - + Install Instalovat @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Úloha se nezdařila (%1) - + Programmed job failure was explicitly requested. Byl výslovně vyžádán nezdar naprogramované úlohy. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Hotovo @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Úloha pro ukázku (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Spustit v cílovém systému příkaz „%1“. - + Run command '%1'. Spustit příkaz „%1“ - + Running command %1 %2 Spouštění příkazu %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Spouštění %1 operace. - + Bad working directory path Chybný popis umístění pracovní složky - + Working directory %1 for python job %2 is not readable. Pracovní složku %1 pro Python skript %2 se nedaří otevřít pro čtení. - + Bad main script file Nesprávný soubor s hlavním skriptem - + Main script file %1 for python job %2 is not readable. Hlavní soubor s python skriptem %1 pro úlohu %2 se nedaří otevřít pro čtení.. - + Boost.Python error in job "%1". Boost.Python chyba ve skriptu „%1“. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Kontrola požadavků pro modul <i>%1</i> dokončena. + - + Waiting for %n module(s). Čeká se na %n modul @@ -238,7 +243,7 @@ - + (%n second(s)) (%n sekundu) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Kontrola požadavků na systém dokončena. @@ -277,13 +282,13 @@ - + &Yes &Ano - + &No &Ne @@ -318,109 +323,109 @@ <br/> Následující moduly se nepodařilo načíst: - + Continue with setup? Pokračovat s instalací? - + Continue with installation? Pokračovat v instalaci? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Instalátor %1 provede změny na datovém úložišti, aby bylo nainstalováno %2.<br/><strong>Změny nebude možné vrátit zpět.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Instalátor %1 provede změny na datovém úložišti, aby bylo nainstalováno %2.<br/><strong>Změny nebude možné vrátit zpět.</strong> - + &Set up now Na&stavit nyní - + &Install now &Spustit instalaci - + Go &back Jít &zpět - + &Set up Na&stavit - + &Install Na&instalovat - + Setup is complete. Close the setup program. Nastavení je dokončeno. Ukončete nastavovací program. - + The installation is complete. Close the installer. Instalace je dokončena. Ukončete instalátor. - + Cancel setup without changing the system. Zrušit nastavení bez změny v systému. - + Cancel installation without changing the system. Zrušení instalace bez provedení změn systému. - + &Next &Další - + &Back &Zpět - + &Done &Hotovo - + &Cancel &Storno - + Cancel setup? Zrušit nastavování? - + Cancel installation? Přerušit instalaci? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Opravdu chcete přerušit instalaci? Instalační program bude ukončen a všechny změny ztraceny. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Opravdu chcete instalaci přerušit? @@ -430,22 +435,22 @@ Instalační program bude ukončen a všechny změny ztraceny. CalamaresPython::Helper - + Unknown exception type Neznámý typ výjimky - + unparseable Python error Chyba při zpracovávání (parse) Python skriptu. - + unparseable Python traceback Chyba při zpracovávání (parse) Python záznamu volání funkcí (traceback). - + Unfetchable Python error. Chyba při načítání Python skriptu. @@ -463,32 +468,32 @@ Instalační program bude ukončen a všechny změny ztraceny. CalamaresWindow - + Show debug information Zobrazit ladící informace - + &Back &Zpět - + &Next &Další - + &Cancel &Storno - + %1 Setup Program Instalátor %1 - + %1 Installer %1 instalátor @@ -685,18 +690,18 @@ Instalační program bude ukončen a všechny změny ztraceny. CommandList - - + + Could not run command. Nedaří se spustit příkaz. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Příkaz bude spuštěn v prostředí hostitele a potřebuje znát popis umístění kořene souborového systému. rootMountPoint ale není zadaný. - + The command needs to know the user's name, but no username is defined. Příkaz potřebuje znát uživatelské jméno, to ale zadáno nebylo. @@ -749,49 +754,49 @@ Instalační program bude ukončen a všechny změny ztraceny. Síťová instalace. (Vypnuto: Nedaří se stáhnout seznamy balíčků – zkontrolujte připojení k síti) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Počítač nesplňuje minimální požadavky pro instalaci %1.<br/>Instalace nemůže pokračovat <a href="#details">Podrobnosti…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Počítač nesplňuje minimální požadavky pro instalaci %1.<br/>Instalace nemůže pokračovat <a href="#details">Podrobnosti…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - + This program will ask you some questions and set up %2 on your computer. Tento program vám položí několik dotazů, aby na základě odpovědí příslušně nainstaloval %2 na váš počítač. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Vítejte v Calamares, instalačním programu (nejen) pro %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Vítejte v instalátoru pro %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Vítejte v Calamares, instalačním programu (nejen) pro %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Vítejte v instalátoru %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1228,37 +1233,37 @@ Instalační program bude ukončen a všechny změny ztraceny. FillGlobalStorageJob - + Set partition information Nastavit informace o oddílu - + Install %1 on <strong>new</strong> %2 system partition. Nainstalovat %1 na <strong>nový</strong> %2 systémový oddíl. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Nastavit <strong>nový</strong> %2 oddíl s přípojným bodem <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Nainstalovat %2 na %3 systémový oddíl <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Nastavit %3 oddíl <strong>%1</strong> s přípojným bodem <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Nainstalovat zavaděč do <strong>%1</strong>. - + Setting up mount points. Nastavují se přípojné body. @@ -1276,32 +1281,32 @@ Instalační program bude ukončen a všechny změny ztraceny. &Restartovat nyní - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Instalace je u konce.</h1><br/>%1 byl nainstalován na váš počítač.<br/>Nyní ho můžete restartovat a přejít do čerstvě nainstalovaného systému, nebo můžete pokračovat v práci ve stávajícím prostředím %2, spuštěným z instalačního média. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Když je tato kolonka zaškrtnutá, systém se restartuje jakmile kliknete na <span style="font-style:italic;">Hotovo</span> nebo zavřete instalátor.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Instalace je u konce.</h1><br/>%1 bylo nainstalováno na váš počítač.<br/>Nyní ho můžete restartovat a přejít do čerstvě nainstalovaného systému, nebo můžete pokračovat v práci ve stávajícím prostředím %2, spuštěným z instalačního média. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Když je tato kolonka zaškrtnutá, systém se restartuje jakmile kliknete na <span style="font-style:italic;">Hotovo</span> nebo zavřete instalátor.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Instalace se nezdařila</h1><br/>%1 nebyl instalován na váš počítač.<br/>Hlášení o chybě: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalace se nezdařila</h1><br/>%1 nebylo nainstalováno na váš počítač.<br/>Hlášení o chybě: %2. @@ -1309,27 +1314,27 @@ Instalační program bude ukončen a všechny změny ztraceny. FinishedViewStep - + Finish Dokončit - + Setup Complete Nastavení dokončeno - + Installation Complete Instalace dokončena - + The setup of %1 is complete. Nastavení %1 je dokončeno. - + The installation of %1 is complete. Instalace %1 je dokončena. @@ -1360,72 +1365,72 @@ Instalační program bude ukončen a všechny změny ztraceny. GeneralRequirements - + has at least %1 GiB available drive space má alespoň %1 GiB dostupného prostoru - + There is not enough drive space. At least %1 GiB is required. Nedostatek místa na úložišti. Je potřeba nejméně %1 GiB. - + has at least %1 GiB working memory má alespoň %1 GiB operační paměti - + The system does not have enough working memory. At least %1 GiB is required. Systém nemá dostatek operační paměti. Je potřeba nejméně %1 GiB. - + is plugged in to a power source je připojený ke zdroji napájení - + The system is not plugged in to a power source. Systém není připojen ke zdroji napájení. - + is connected to the Internet je připojený k Internetu - + The system is not connected to the Internet. Systém není připojený k Internetu. - + is running the installer as an administrator (root) instalátor je spuštěný s právy správce systému (root) - + The setup program is not running with administrator rights. Nastavovací program není spuštěn s právy správce systému. - + The installer is not running with administrator rights. Instalační program není spuštěn s právy správce systému. - + has a screen large enough to show the whole installer má obrazovku dostatečně velkou pro zobrazení celého instalátoru - + The screen is too small to display the setup program. Rozlišení obrazovky je příliš malé pro zobrazení nastavovacího programu. - + The screen is too small to display the installer. Rozlišení obrazovky je příliš malé pro zobrazení instalátoru. @@ -1773,6 +1778,16 @@ Instalační program bude ukončen a všechny změny ztraceny. Pro MachineId není nastaven žádný kořenový přípojný bod. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1911,6 +1926,19 @@ Instalační program bude ukončen a všechny změny ztraceny. Nastavit identifikátor OEM série na <code>%1</code>. + + Offline + + + Timezone: %1 + Časová zóna: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2498,107 +2526,107 @@ Instalační program bude ukončen a všechny změny ztraceny. Oddíly - + Install %1 <strong>alongside</strong> another operating system. Nainstalovat %1 <strong>vedle</strong> dalšího operačního systému. - + <strong>Erase</strong> disk and install %1. <strong>Smazat</strong> obsah jednotky a nainstalovat %1. - + <strong>Replace</strong> a partition with %1. <strong>Nahradit</strong> oddíl %1. - + <strong>Manual</strong> partitioning. <strong>Ruční</strong> dělení úložiště. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Nainstalovat %1 <strong>vedle</strong> dalšího operačního systému na disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Vymazat</strong> obsah jednotky <strong>%2</strong> (%3) a nainstalovat %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Nahradit</strong> oddíl na jednotce <strong>%2</strong> (%3) %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ruční</strong> dělení jednotky <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Jednotka <strong>%1</strong> (%2) - + Current: Stávající: - + After: Potom: - + No EFI system partition configured Není nastavený žádný EFI systémový oddíl - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Pro spuštění %1 je potřeba EFI systémový oddíl.<br/><br/>Pro nastavení EFI systémového oddílu se vraťte zpět a vyberte nebo vytvořte oddíl typu FAT32 s příznakem <strong>%3</strong> a přípojným bodem <strong>%2</strong>.<br/><br/>Je možné pokračovat bez nastavení EFI systémového oddílu, ale systém nemusí jít spustit. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Pro spuštění %1 je potřeba EFI systémový oddíl.<br/><br/>Byl nastaven oddíl s přípojným bodem <strong>%2</strong> ale nemá nastaven příznak <strong>%3</strong>.<br/>Pro nastavení příznaku se vraťte zpět a upravte oddíl.<br/><br/>Je možné pokračovat bez nastavení příznaku, ale systém nemusí jít spustit. - + EFI system partition flag not set Příznak EFI systémového oddílu není nastavený - + Option to use GPT on BIOS Volba použít GPT i pro BIOS zavádění (MBR) - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT tabulka oddílů je nejlepší volbou pro všechny systémy. Tento instalátor podporuje takové uspořádání i pro zavádění v režimu BIOS firmware.<br/><br/>Pro nastavení GPT tabulky oddílů v případě BIOS, (pokud už není provedeno) jděte zpět a nastavte tabulku oddílů na, dále vytvořte 8 MB oddíl (bez souborového systému s příznakem <strong>bios_grub</strong>.<br/><br/>Tento oddíl je zapotřebí pro spuštění %1 na systému s BIOS firmware/režimem a GPT. - + Boot partition not encrypted Zaváděcí oddíl není šifrován - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Kromě šifrovaného kořenového oddílu byl vytvořen i nešifrovaný oddíl zavaděče.<br/><br/>To by mohl být bezpečnostní problém, protože na nešifrovaném oddílu jsou důležité soubory systému.<br/>Pokud chcete, můžete pokračovat, ale odemykání souborového systému bude probíhat později při startu systému.<br/>Pro zašifrování oddílu zavaděče se vraťte a vytvořte ho vybráním možnosti <strong>Šifrovat</strong> v okně při vytváření oddílu. - + has at least one disk device available. má k dispozici alespoň jedno zařízení pro ukládání dat. - + There are no partitions to install on. Nejsou zde žádné oddíly na které by se dalo nainstalovat. @@ -2664,14 +2692,14 @@ Instalační program bude ukončen a všechny změny ztraceny. ProcessResult - + There was no output from the command. Příkaz neposkytl žádný výstup. - + Output: @@ -2680,52 +2708,52 @@ Výstup: - + External command crashed. Vnější příkaz byl neočekávaně ukončen. - + Command <i>%1</i> crashed. Příkaz <i>%1</i> byl neočekávaně ukončen. - + External command failed to start. Vnější příkaz se nepodařilo spustit. - + Command <i>%1</i> failed to start. Příkaz <i>%1</i> se nepodařilo spustit. - + Internal error when starting command. Vnitřní chyba při spouštění příkazu. - + Bad parameters for process job call. Chybné parametry volání úlohy procesu. - + External command failed to finish. Vnější příkaz se nepodařilo dokončit. - + Command <i>%1</i> failed to finish in %2 seconds. Příkaz <i>%1</i> se nepodařilo dokončit do %2 sekund. - + External command finished with errors. Vnější příkaz skončil s chybami. - + Command <i>%1</i> finished with exit code %2. Příkaz <i>%1</i> skončil s návratovým kódem %2. @@ -2733,32 +2761,27 @@ Výstup: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Kontrola požadavků pro modul <i>%1</i> dokončena. - - - + unknown neznámý - + extended rozšířený - + unformatted nenaformátovaný - + swap odkládací oddíl @@ -2812,6 +2835,15 @@ Výstup: Nerozdělené prázné místo nebo neznámá tabulka oddílů + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2847,73 +2879,88 @@ Výstup: Formulář - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Vyberte, kam nainstalovat %1.<br/><font color="red">Upozornění: </font>tímto smažete všechny soubory ve vybraném oddílu. - + The selected item does not appear to be a valid partition. Vybraná položka se nezdá být platným oddílem. - + %1 cannot be installed on empty space. Please select an existing partition. %1 nemůže být instalován na místo bez oddílu. Vyberte existující oddíl. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 nemůže být instalován na rozšířený oddíl. Vyberte existující primární nebo logický oddíl. - + %1 cannot be installed on this partition. %1 nemůže být instalován na tento oddíl. - + Data partition (%1) Datový oddíl (%1) - + Unknown system partition (%1) Neznámý systémový oddíl (%1) - + %1 system partition (%2) %1 systémový oddíl (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Oddíl %1 je příliš malý pro %2. Vyberte oddíl s kapacitou alespoň %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI systémový oddíl nenalezen. Vraťte se, zvolte ruční rozdělení jednotky, a nastavte %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 bude instalován na %2.<br/><font color="red">Upozornění: </font>všechna data v oddílu %2 budou ztracena. - + The EFI system partition at %1 will be used for starting %2. Pro zavedení %2 se využije EFI systémový oddíl %1. - + EFI system partition: EFI systémový oddíl: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3036,12 +3083,12 @@ Výstup: ResultsListDialog - + For best results, please ensure that this computer: Nejlepších výsledků se dosáhne, pokud tento počítač bude: - + System requirements Požadavky na systém @@ -3049,27 +3096,27 @@ Výstup: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Počítač nesplňuje minimální požadavky pro instalaci %1.<br/>Instalace nemůže pokračovat <a href="#details">Podrobnosti…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Počítač nesplňuje minimální požadavky pro instalaci %1.<br/>Instalace nemůže pokračovat <a href="#details">Podrobnosti…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Počítač nesplňuje některé doporučené požadavky pro instalaci %1.<br/>Instalace může pokračovat, ale některé funkce mohou být vypnuty. - + This program will ask you some questions and set up %2 on your computer. Tento program vám položí několik dotazů, aby na základě odpovědí příslušně nainstaloval %2 na váš počítač. @@ -3352,51 +3399,80 @@ Výstup: TrackingInstallJob - + Installation feedback Zpětná vazba z instalace - + Sending installation feedback. Posílání zpětné vazby z instalace. - + Internal error in install-tracking. Vnitřní chyba v install-tracking. - + HTTP request timed out. Překročen časový limit HTTP požadavku. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Zpětná vazba stroje - + Configuring machine feedback. Nastavování zpětné vazby stroje - - + + Error in machine feedback configuration. Chyba v nastavení zpětné vazby stroje. - + Could not configure machine feedback correctly, script error %1. Nepodařilo se správně nastavit zpětnou vazbu stroje, chyba skriptu %1. - + Could not configure machine feedback correctly, Calamares error %1. Nepodařilo se správně nastavit zpětnou vazbu stroje, chyba Calamares %1. @@ -3415,8 +3491,8 @@ Výstup: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Nastavením tohoto nebudete posílat <span style=" font-weight:600;">žádné vůbec žádné informace</span> o vaší instalaci.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3424,30 +3500,30 @@ Výstup: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Kliknutím sem se dozvíte více o zpětné vazbě od uživatelů</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Sledování instalace pomůže %1 zjistit, kolik má uživatelů, na jakém hardware %1 instalují a (s posledními dvěma možnostmi níže), získávat průběžné informace o upřednostňovaných aplikacích. Co bude posíláno je možné si zobrazit kliknutím na ikonu nápovědy v každé z oblastí. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Výběrem tohoto pošlete informace o své instalaci a hardware. Tyto údaje budou poslány <b>pouze jednorázově</b> po dokončení instalace. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Výběrem tohoto budete <b>pravidelně</b> posílat informace o své instalaci, hardware a aplikacích do %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Výběrem tohoto budete <b>pravidelně</b> posílat informace o své instalaci, hardware, aplikacích a způsobu využití do %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Zpětná vazba @@ -3633,42 +3709,42 @@ Výstup: &Poznámky k vydání - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Vítejte v Calamares, instalačním programu (nejen) pro %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Vítejte v instalátoru pro %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Vítejte v Calamares, instalačním programu (nejen) pro %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Vítejte v instalátoru %1.</h1> - + %1 support %1 podpora - + About %1 setup O nastavování %1 - + About %1 installer O instalátoru %1. - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Poděkování <a href="https://calamares.io/team/">týmu Calamares</a> a <a href="https://www.transifex.com/calamares/calamares/">týmu překladatelů Calamares</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> vývoj je sponzorován <br/><a href="http://www.blue-systems.com/">Blue Systems</a> – Liberating Software. @@ -3676,7 +3752,7 @@ Výstup: WelcomeQmlViewStep - + Welcome Vítejte @@ -3684,7 +3760,7 @@ Výstup: WelcomeViewStep - + Welcome Vítejte @@ -3713,6 +3789,26 @@ Výstup: Zpět + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Zpět + + keyboardq @@ -3758,6 +3854,24 @@ Výstup: Vyzkoušejte si svou klávesnici + + localeq + + + System language set to %1 + Jazyk systému nastaven na %1 + + + + Numbers and dates locale set to %1 + Místní formát čísel a data nastaven na %1 + + + + Change + Změnit + + notesqml @@ -3831,27 +3945,27 @@ Výstup: <p>Tato aplikace vám položí několik otázek a na základě odpovědí příslušně nainstaluje %1 na váš počítač.</p> - + About O projektu - + Support Podpora - + Known issues Známé problémy - + Release notes Poznámky k vydání - + Donate Podpořit vývoj darem diff --git a/lang/calamares_da.ts b/lang/calamares_da.ts index 2caa87006..76995d9d6 100644 --- a/lang/calamares_da.ts +++ b/lang/calamares_da.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Sæt op - + Install Installation @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Job mislykkedes (%1) - + Programmed job failure was explicitly requested. Mislykket programmeret job blev udtrykkeligt anmodet. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Færdig @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Eksempeljob (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Kør kommandoen '%1' i målsystemet. - + Run command '%1'. Kør kommandoen '%1'. - + Running command %1 %2 Kører kommando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Kører %1-handling. - + Bad working directory path Ugyldig arbejdsmappesti - + Working directory %1 for python job %2 is not readable. Arbejdsmappen %1 til python-jobbet %2 er ikke læsbar. - + Bad main script file Ugyldig primær skriptfil - + Main script file %1 for python job %2 is not readable. Primær skriptfil %1 til python-jobbet %2 er ikke læsbar. - + Boost.Python error in job "%1". Boost.Python-fejl i job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Tjek at krav for modulet <i>%1</i> er fuldført. + - + Waiting for %n module(s). Venter på %n modul. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n sekund) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Tjek af systemkrav er fuldført. @@ -273,13 +278,13 @@ - + &Yes &Ja - + &No &Nej @@ -314,109 +319,109 @@ <br/>Følgende moduler kunne ikke indlæses: - + Continue with setup? Fortsæt med opsætningen? - + Continue with installation? Fortsæt installationen? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1-opsætningsprogrammet er ved at foretage ændringer til din disk for at opsætte %2.<br/><strong>Det vil ikke være muligt at fortryde ændringerne.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1-installationsprogrammet er ved at foretage ændringer til din disk for at installere %2.<br/><strong>Det vil ikke være muligt at fortryde ændringerne.</strong> - + &Set up now &Sæt op nu - + &Install now &Installér nu - + Go &back Gå &tilbage - + &Set up &Sæt op - + &Install &Installér - + Setup is complete. Close the setup program. Opsætningen er fuldført. Luk opsætningsprogrammet. - + The installation is complete. Close the installer. Installationen er fuldført. Luk installationsprogrammet. - + Cancel setup without changing the system. Annullér opsætningen uden at ændre systemet. - + Cancel installation without changing the system. Annullér installation uden at ændre systemet. - + &Next &Næste - + &Back &Tilbage - + &Done &Færdig - + &Cancel &Annullér - + Cancel setup? Annullér opsætningen? - + Cancel installation? Annullér installationen? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Vil du virkelig annullere den igangværende opsætningsproces? Opsætningsprogrammet vil stoppe og alle ændringer vil gå tabt. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Vil du virkelig annullere den igangværende installationsproces? @@ -426,22 +431,22 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. CalamaresPython::Helper - + Unknown exception type Ukendt undtagelsestype - + unparseable Python error Python-fejl som ikke kan fortolkes - + unparseable Python traceback Python-traceback som ikke kan fortolkes - + Unfetchable Python error. Python-fejl som ikke kan hentes. @@ -459,32 +464,32 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. CalamaresWindow - + Show debug information Vis fejlretningsinformation - + &Back &Tilbage - + &Next &Næste - + &Cancel &Annullér - + %1 Setup Program %1-opsætningsprogram - + %1 Installer %1-installationsprogram @@ -681,18 +686,18 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. CommandList - - + + Could not run command. Kunne ikke køre kommando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Kommandoen kører i værtsmiljøet og har brug for at kende rodstien, men der er ikke defineret nogen rootMountPoint. - + The command needs to know the user's name, but no username is defined. Kommandoen har brug for at kende brugerens navn, men der er ikke defineret noget brugernavn. @@ -745,49 +750,49 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Netværksinstallation. (deaktiveret: kunne ikke hente pakkelister, tjek din netværksforbindelse) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Computeren imødekommer ikke minimumsystemkravene for at opsætte %1.<br/>Opsætningen kan ikke fortsætte. <a href="#details">Detaljer ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Computeren imødekommer ikke minimumsystemkravene for at installere %1.<br/>Installationen kan ikke fortsætte. <a href="#details">Detaljer ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Computeren imødekommer ikke nogle af de anbefalede systemkrav for at opsætte %1.<br/>Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Computeren imødekommer ikke nogle af de anbefalede systemkrav for at installere %1.<br/>Installationen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - + This program will ask you some questions and set up %2 on your computer. Programmet vil stille dig nogle spørgsmål og opsætte %2 på din computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Velkommen til Calamares-opsætningsprogrammet til %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Velkommen til Calamares-opsætningsprogrammet til %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Velkommen til %1-opsætningen.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Velkommen til %1-opsætningen</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Velkommen til Calamares-installationsprogrammet for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Velkommen til Calamares-installationsprogrammet for %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Velkommen til %1-installationsprogrammet.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Velkommen til %1-installationsprogrammet</h1> @@ -1224,37 +1229,37 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. FillGlobalStorageJob - + Set partition information Sæt partitionsinformation - + Install %1 on <strong>new</strong> %2 system partition. Installér %1 på <strong>ny</strong> %2-systempartition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Opsæt den <strong>nye</strong> %2 partition med monteringspunkt <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installér %2 på %3-systempartition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Opsæt %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installér bootloader på <strong>%1</strong>. - + Setting up mount points. Opsætter monteringspunkter. @@ -1272,32 +1277,32 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.&Genstart nu - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Færdig.</h1><br/>%1 er blevet opsat på din computer.<br/>Du kan nu begynde at bruge dit nye system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Når boksen er tilvalgt, vil dit system genstarte med det samme når du klikker på <span style="font-style:italic;">Færdig</span> eller lukker opsætningsprogrammet.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Færdig.</h1><br/>%1 er blevet installeret på din computer.<br/>Du kan nu genstarte for at komme ind i dit nye system eller fortsætte med at bruge %2 livemiljøet. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Når boksen er tilvalgt, vil dit system genstarte med det samme når du klikker på <span style="font-style:italic;">Færdig</span> eller lukker installationsprogrammet.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Opsætningen mislykkede</h1><br/>%1 er ikke blevet sat op på din computer.<br/>Fejlmeddelelsen var: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installation mislykkede</h1><br/>%1 er ikke blevet installeret på din computer.<br/>Fejlmeddelelsen var: %2. @@ -1305,27 +1310,27 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. FinishedViewStep - + Finish Færdig - + Setup Complete Opsætningen er fuldført - + Installation Complete Installation fuldført - + The setup of %1 is complete. Opsætningen af %1 er fuldført. - + The installation of %1 is complete. Installationen af %1 er fuldført. @@ -1356,72 +1361,72 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. GeneralRequirements - + has at least %1 GiB available drive space har mindst %1 GiB ledig plads på drevet - + There is not enough drive space. At least %1 GiB is required. Der er ikke nok ledig plads på drevet. Mindst %1 GiB er påkrævet. - + has at least %1 GiB working memory har mindst %1 GiB hukkommelse - + The system does not have enough working memory. At least %1 GiB is required. Systemet har ikke nok arbejdshukommelse. Mindst %1 GiB er påkrævet. - + is plugged in to a power source er tilsluttet en strømkilde - + The system is not plugged in to a power source. Systemet er ikke tilsluttet en strømkilde. - + is connected to the Internet er forbundet til internettet - + The system is not connected to the Internet. Systemet er ikke forbundet til internettet. - + is running the installer as an administrator (root) kører installationsprogrammet som administrator (root) - + The setup program is not running with administrator rights. Opsætningsprogrammet kører ikke med administratorrettigheder. - + The installer is not running with administrator rights. Installationsprogrammet kører ikke med administratorrettigheder. - + has a screen large enough to show the whole installer har en skærm, som er stor nok til at vise hele installationsprogrammet - + The screen is too small to display the setup program. Skærmen er for lille til at vise opsætningsprogrammet. - + The screen is too small to display the installer. Skærmen er for lille til at vise installationsprogrammet. @@ -1769,6 +1774,16 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Der er ikke angivet noget rodmonteringspunkt for MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Indstil OEM-batchidentifikatoren til <code>%1</code>. + + Offline + + + Timezone: %1 + Tidszone: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Partitioner - + Install %1 <strong>alongside</strong> another operating system. Installér %1 <strong>ved siden af</strong> et andet styresystem. - + <strong>Erase</strong> disk and install %1. <strong>Slet</strong> disk og installér %1. - + <strong>Replace</strong> a partition with %1. <strong>Erstat</strong> en partition med %1. - + <strong>Manual</strong> partitioning. <strong>Manuel</strong> partitionering. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Installér %1 <strong>ved siden af</strong> et andet styresystem på disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Slet</strong> disk <strong>%2</strong> (%3) og installér %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Erstat</strong> en partition på disk <strong>%2</strong> (%3) med %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Manuel</strong> partitionering på disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Nuværende: - + After: Efter: - + No EFI system partition configured Der er ikke konfigureret nogen EFI-systempartition - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. En EFI-systempartition er nødvendig for at starte %1.<br/><br/>For at konfigurere en EFI-systempartition skal du gå tilbage og vælge eller oprette et FAT32-filsystem med <strong>%3</strong>-flaget aktiveret og monteringspunkt <strong>%2</strong>.<br/><br/>Du kan fortsætte uden at opsætte en EFI-systempartition, men dit system vil muligvis ikke kunne starte. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. En EFI-systempartition er nødvendig for at starte %1.<br/><br/>En partition var konfigureret med monteringspunkt <strong>%2</strong>, men dens <strong>%3</strong>-flag var ikke sat.<br/>For at sætte flaget skal du gå tilbage og redigere partitionen.<br/><br/>Du kan fortsætte uden at konfigurere flaget, men dit system vil muligvis ikke kunne starte. - + EFI system partition flag not set EFI-systempartitionsflag ikke sat - + Option to use GPT on BIOS Valgmulighed til at bruge GPT på BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. En GPT-partitionstabel er den bedste valgmulighed til alle systemer. Installationsprogrammet understøtter også sådan en opsætning for BIOS-systemer.<br/><br/>Konfigurer en GPT-partitionstabel på BIOS, (hvis det ikke allerede er gjort) ved at gå tilbage og indstil partitionstabellen til GPT, opret herefter en 8 MB uformateret partition med <strong>bios_grub</strong>-flaget aktiveret.<br/><br/>En uformateret 8 MB partition er nødvendig for at starte %1 på et BIOS-system med GPT. - + Boot partition not encrypted Bootpartition ikke krypteret - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. En separat bootpartition blev opsat sammen med en krypteret rodpartition, men bootpartitionen er ikke krypteret.<br/><br/>Der er sikkerhedsmæssige bekymringer med denne slags opsætning, da vigtige systemfiler er gemt på en ikke-krypteret partition.<br/>Du kan fortsætte hvis du vil, men oplåsning af filsystemet sker senere under systemets opstart.<br/>For at kryptere bootpartitionen skal du gå tilbage og oprette den igen, vælge <strong>Kryptér</strong> i partitionsoprettelsesvinduet. - + has at least one disk device available. har mindst én tilgængelig diskenhed. - + There are no partitions to install on. Der er ikke nogen partitioner at installere på. @@ -2660,14 +2688,14 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. ProcessResult - + There was no output from the command. Der var ikke nogen output fra kommandoen. - + Output: @@ -2676,52 +2704,52 @@ Output: - + External command crashed. Ekstern kommando holdt op med at virke. - + Command <i>%1</i> crashed. Kommandoen <i>%1</i> holdte op med at virke. - + External command failed to start. Ekstern kommando kunne ikke starte. - + Command <i>%1</i> failed to start. Kommandoen <i>%1</i> kunne ikke starte. - + Internal error when starting command. Intern fejl ved start af kommando. - + Bad parameters for process job call. Ugyldige parametre til kald af procesjob. - + External command failed to finish. Ekstern kommando blev ikke færdig. - + Command <i>%1</i> failed to finish in %2 seconds. Kommandoen <i>%1</i> blev ikke færdig på %2 sekunder. - + External command finished with errors. Ekstern kommando blev færdig med fejl. - + Command <i>%1</i> finished with exit code %2. Kommandoen <i>%1</i> blev færdig med afslutningskoden %2. @@ -2729,32 +2757,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Tjek at krav for modulet <i>%1</i> er fuldført. - - - + unknown ukendt - + extended udvidet - + unformatted uformatteret - + swap swap @@ -2808,6 +2831,17 @@ Output: Upartitioneret plads eller ukendt partitionstabel + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Computeren imødekommer ikke nogle af de anbefalede systemkrav til opsætning af %1.<br/> +setting + Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret.</p> + + RemoveUserJob @@ -2843,73 +2877,91 @@ Output: Formular - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Vælg hvor %1 skal installeres.<br/><font color="red">Advarsel: </font>Det vil slette alle filer på den valgte partition. - + The selected item does not appear to be a valid partition. Det valgte emne ser ikke ud til at være en gyldig partition. - + %1 cannot be installed on empty space. Please select an existing partition. %1 kan ikke installeres på tom plads. Vælg venligst en eksisterende partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 kan ikke installeres på en udvidet partition. Vælg venligst en eksisterende primær eller logisk partition. - + %1 cannot be installed on this partition. %1 kan ikke installeres på partitionen. - + Data partition (%1) Datapartition (%1) - + Unknown system partition (%1) Ukendt systempartition (%1) - + %1 system partition (%2) %1-systempartition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partitionen %1 er for lille til %2. Vælg venligst en partition med mindst %3 GiB plads. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>En EFI-systempartition kunne ikke findes på systemet. Gå venligst tilbage og brug manuel partitionering til at opsætte %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 vil blive installeret på %2.<br/><font color="red">Advarsel: </font>Al data på partition %2 vil gå tabt. - + The EFI system partition at %1 will be used for starting %2. EFI-systempartitionen ved %1 vil blive brugt til at starte %2. - + EFI system partition: EFI-systempartition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Computeren imødekommer ikke minimumskravene til installation af %1. + Installation kan ikke fortsætte.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Computeren imødekommer ikke nogle af de anbefalede systemkrav til opsætning af %1.<br/> +setting + Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret.</p> + + ResizeFSJob @@ -3032,12 +3084,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: For at få det bedste resultat sørg venligst for at computeren: - + System requirements Systemkrav @@ -3045,27 +3097,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Computeren imødekommer ikke minimumsystemkravene for at opsætte %1.<br/>Opsætningen kan ikke fortsætte. <a href="#details">Detaljer ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Computeren imødekommer ikke minimumsystemkravene for at installere %1.<br/>Installationen kan ikke fortsætte. <a href="#details">Detaljer ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Computeren imødekommer ikke nogle af de anbefalede systemkrav for at opsætte %1.<br/>Opsætningen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Computeren imødekommer ikke nogle af de anbefalede systemkrav for at installere %1.<br/>Installationen kan fortsætte, men nogle funktionaliteter kan være deaktiveret. - + This program will ask you some questions and set up %2 on your computer. Programmet vil stille dig nogle spørgsmål og opsætte %2 på din computer. @@ -3348,51 +3400,80 @@ Output: TrackingInstallJob - + Installation feedback Installationsfeedback - + Sending installation feedback. Sender installationsfeedback. - + Internal error in install-tracking. Intern fejl i installationssporing. - + HTTP request timed out. HTTP-anmodning fik timeout. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + KDE-brugerfeedback + + + + Configuring KDE user feedback. + Konfigurer KDE-brugerfeedback. + + + + + Error in KDE user feedback configuration. + Fejl i konfiguration af KDE-brugerfeedback. + - + + Could not configure KDE user feedback correctly, script error %1. + Kunne ikke konfigurere KDE-brugerfeedback korrekt, fejl i script %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + Kunne ikke konfigurere KDE-brugerfeedback korrekt, fejl i Calamares %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Maskinfeedback - + Configuring machine feedback. Konfigurer maskinfeedback. - - + + Error in machine feedback configuration. Fejl i maskinfeedback-konfiguration. - + Could not configure machine feedback correctly, script error %1. Kunne ikke konfigurere maskinfeedback korrekt, skript-fejl %1. - + Could not configure machine feedback correctly, Calamares error %1. Kunne ikke konfigurere maskinfeedback korrekt, Calamares-fejl %1. @@ -3411,8 +3492,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Vælges dette sender du <span style=" font-weight:600;">slet ikke nogen information</span> om din installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Klik her for <span style=" font-weight:600;">slet ikke at sende nogen information</span> om din installation.</p></body></html> @@ -3420,30 +3501,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klik her for mere information om brugerfeedback</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Installationssporing hjælper %1 til at se hvor mange brugere de har, hvilket hardware de installere %1 på og (med de sidste to valgmuligheder nedenfor), hente information om fortrukne programmer løbende. Klik venligst på hjælp-ikonet ved siden af hvert område, for at se hvad der vil blive sendt. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Vælges dette sender du information om din installation og hardware. Informationen vil <b>første blive sendt</b> efter installationen er færdig. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Vælges dette sender du information om din installation og hardware. Informationen sendes kun <b>én gang</b> efter installationen er færdig. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Vælges dette sender du <b>periodisk</b> information om din installation, hardware og programmer, til %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Vælges dette sender du periodisk information om din <b>maskines</b> installation, hardware og programmer, til %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Vælges dette sender du <b>regelmæssigt</b> information om din installation, hardware, programmer og anvendelsesmønstre, til %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Feedback @@ -3629,42 +3710,42 @@ Output: &Udgivelsesnoter - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Velkommen til Calamares-opsætningsprogrammet til %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Velkommen til %1-opsætningen.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Velkommen til Calamares-installationsprogrammet for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Velkommen til %1-installationsprogrammet.</h1> - + %1 support %1 support - + About %1 setup Om %1-opsætningen - + About %1 installer Om %1-installationsprogrammet - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Ophavsret 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Ophavsret 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Tak til <a href="https://calamares.io/team/">Calamares-teamet</a> og <a href="https://www.transifex.com/calamares/calamares/">Calamares-oversætterteamet</a>.<br/><br/>Udviklingen af <a href="https://calamares.io/">Calamares</a> sponsoreres af <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3753,7 @@ Output: WelcomeQmlViewStep - + Welcome Velkommen @@ -3680,7 +3761,7 @@ Output: WelcomeViewStep - + Welcome Velkommen @@ -3720,6 +3801,28 @@ Output: Tilbage + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Sprog</h1></br> + Systemets lokalitetsindstilling har indflydelse på sproget og tegnsættet for nogle brugerfladeelementer i kommandolinjen. Den nuværende indstilling er <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Lokaliteter</h1></br> + Systemets lokalitetsindstilling har indflydelse på sproget og tegnsættet for nogle brugerfladeelementer i kommandolinjen. Den nuværende indstilling er <strong>%1</strong>. + + + + Back + Tilbage + + keyboardq @@ -3765,6 +3868,24 @@ Output: Test dit tastatur + + localeq + + + System language set to %1 + Systemsproget indstillet til %1. + + + + Numbers and dates locale set to %1 + Lokalitet for tal og datoer sat til %1 + + + + Change + Skift + + notesqml @@ -3838,27 +3959,27 @@ Output: <p>Programmet stiller dig nogle spørgsmål og opsætte %2 på din computer.</p> - + About Om - + Support Support - + Known issues Kendte problemer - + Release notes Udgivelsesnoter - + Donate Donér diff --git a/lang/calamares_de.ts b/lang/calamares_de.ts index d4eccbf95..b59fe4f38 100644 --- a/lang/calamares_de.ts +++ b/lang/calamares_de.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Einrichtung - + Install Installieren @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Auftrag fehlgeschlagen (%1) - + Programmed job failure was explicitly requested. Die Unterlassung einer vorgesehenen Aufgabe wurde ausdrücklich erwünscht. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Fertig @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Beispielaufgabe (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Führen Sie den Befehl '%1' im Zielsystem aus. - + Run command '%1'. Führen Sie den Befehl '%1' aus. - + Running command %1 %2 Befehl %1 %2 wird ausgeführt @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Operation %1 wird ausgeführt. - + Bad working directory path Fehlerhafter Arbeitsverzeichnis-Pfad - + Working directory %1 for python job %2 is not readable. Arbeitsverzeichnis %1 für Python-Job %2 ist nicht lesbar. - + Bad main script file Fehlerhaftes Hauptskript - + Main script file %1 for python job %2 is not readable. Hauptskript-Datei %1 für Python-Job %2 ist nicht lesbar. - + Boost.Python error in job "%1". Boost.Python-Fehler in Job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Die Anforderungsprüfung für das Modul <i>%1</i> ist abgeschlossen. + - + Waiting for %n module(s). Warten auf %n Modul. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n Sekunde) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Die Überprüfung der Systemvoraussetzungen ist abgeschlossen. @@ -273,13 +278,13 @@ - + &Yes &Ja - + &No &Nein @@ -314,109 +319,109 @@ <br/>Die folgenden Module konnten nicht geladen werden: - + Continue with setup? Setup fortsetzen? - + Continue with installation? Installation fortsetzen? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Das %1 Installationsprogramm ist dabei, Änderungen an Ihrer Festplatte vorzunehmen, um %2 einzurichten.<br/><strong> Sie werden diese Änderungen nicht rückgängig machen können.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Das %1 Installationsprogramm wird Änderungen an Ihrer Festplatte vornehmen, um %2 zu installieren.<br/><strong>Diese Änderungen können nicht rückgängig gemacht werden.</strong> - + &Set up now &Jetzt einrichten - + &Install now Jetzt &installieren - + Go &back Gehe &zurück - + &Set up &Einrichten - + &Install &Installieren - + Setup is complete. Close the setup program. Setup ist abgeschlossen. Schließe das Installationsprogramm. - + The installation is complete. Close the installer. Die Installation ist abgeschlossen. Schließe das Installationsprogramm. - + Cancel setup without changing the system. Installation abbrechen ohne das System zu verändern. - + Cancel installation without changing the system. Installation abbrechen, ohne das System zu verändern. - + &Next &Weiter - + &Back &Zurück - + &Done &Erledigt - + &Cancel &Abbrechen - + Cancel setup? Installation abbrechen? - + Cancel installation? Installation abbrechen? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Wollen Sie die Installation wirklich abbrechen? Dadurch wird das Installationsprogramm beendet und alle Änderungen gehen verloren. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Wollen Sie wirklich die aktuelle Installation abbrechen? @@ -426,22 +431,22 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CalamaresPython::Helper - + Unknown exception type Unbekannter Ausnahmefehler - + unparseable Python error Nicht analysierbarer Python-Fehler - + unparseable Python traceback Nicht analysierbarer Python-Traceback - + Unfetchable Python error. Nicht zuzuordnender Python-Fehler @@ -459,32 +464,32 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CalamaresWindow - + Show debug information Debug-Information anzeigen - + &Back &Zurück - + &Next &Weiter - + &Cancel &Abbrechen - + %1 Setup Program %1 Installationsprogramm - + %1 Installer %1 Installationsprogramm @@ -681,18 +686,18 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. CommandList - - + + Could not run command. Befehl konnte nicht ausgeführt werden. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Dieser Befehl wird im installierten System ausgeführt und muss daher den Root-Pfad kennen, jedoch wurde kein rootMountPoint definiert. - + The command needs to know the user's name, but no username is defined. Dieser Befehl benötigt den Benutzernamen, jedoch ist kein Benutzername definiert. @@ -745,49 +750,49 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Netzwerk-Installation. (Deaktiviert: Paketlisten nicht erreichbar, prüfe deine Netzwerk-Verbindung) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Die Installation kann nicht fortgesetzt werden. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Die Installation kann nicht fortgesetzt werden. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. - + This program will ask you some questions and set up %2 on your computer. Dieses Programm wird Ihnen einige Fragen stellen, um %2 auf Ihrem Computer zu installieren. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Willkommen bei Calamares, dem Installationsprogramm für %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Willkommen zur Installation von %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Willkommen beim Calamares-Installationsprogramm für %1. + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Willkommen im %1 Installationsprogramm.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. FillGlobalStorageJob - + Set partition information Setze Partitionsinformationen - + Install %1 on <strong>new</strong> %2 system partition. Installiere %1 auf <strong>neuer</strong> %2 Systempartition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Erstelle <strong>neue</strong> %2 Partition mit Einhängepunkt <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installiere %2 auf %3 Systempartition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Erstelle %3 Partition <strong>%1</strong> mit Einhängepunkt <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installiere Bootloader auf <strong>%1</strong>. - + Setting up mount points. Richte Einhängepunkte ein. @@ -1272,32 +1277,32 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Jetzt &Neustarten - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Alles erledigt.</h1><br/>%1 wurde auf Ihrem Computer eingerichtet.<br/>Sie können nun mit Ihrem neuen System arbeiten. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Wenn diese Option aktiviert ist, genügt zum Neustart des Systems ein Klick auf <span style="font-style:italic;">Fertig</span> oder das Schließen des Installationsprogramms.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Alles erledigt.</h1><br/>%1 wurde auf Ihrem Computer installiert.<br/>Sie können nun in Ihr neues System neustarten oder mit der %2 Live-Umgebung fortfahren. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Wenn diese Option aktiviert ist, genügt zum Neustart des Systems ein Klick auf <span style="font-style:italic;">Fertig</span> oder das Schließen des Installationsprogramms.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Installation fehlgeschlagen</h1><br/>%1 wurde nicht auf Ihrem Computer eingerichtet.<br/>Die Fehlermeldung war: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installation fehlgeschlagen</h1><br/>%1 wurde nicht auf deinem Computer installiert.<br/>Die Fehlermeldung lautet: %2. @@ -1305,27 +1310,27 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. FinishedViewStep - + Finish Beenden - + Setup Complete Installation abgeschlossen - + Installation Complete Installation abgeschlossen - + The setup of %1 is complete. Die Installation von %1 ist abgeschlossen. - + The installation of %1 is complete. Die Installation von %1 ist abgeschlossen. @@ -1356,72 +1361,72 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. GeneralRequirements - + has at least %1 GiB available drive space mindestens %1 GiB freien Festplattenplatz hat - + There is not enough drive space. At least %1 GiB is required. Zu wenig Speicherplatz auf der Festplatte. Es wird mindestens %1 GiB benötigt. - + has at least %1 GiB working memory mindestens %1 GiB Arbeitsspeicher hat - + The system does not have enough working memory. At least %1 GiB is required. Das System hat nicht genug Arbeitsspeicher. Es wird mindestens %1 GiB benötigt. - + is plugged in to a power source ist an eine Stromquelle angeschlossen - + The system is not plugged in to a power source. Der Computer ist an keine Stromquelle angeschlossen. - + is connected to the Internet ist mit dem Internet verbunden - + The system is not connected to the Internet. Der Computer ist nicht mit dem Internet verbunden. - + is running the installer as an administrator (root) führt das Installationsprogramm als Administrator (root) aus - + The setup program is not running with administrator rights. Das Installationsprogramm wird nicht mit Administratorrechten ausgeführt. - + The installer is not running with administrator rights. Das Installationsprogramm wird nicht mit Administratorrechten ausgeführt. - + has a screen large enough to show the whole installer hat einen ausreichend großen Bildschirm für die Anzeige des gesamten Installationsprogramm - + The screen is too small to display the setup program. Der Bildschirm ist zu klein, um das Installationsprogramm anzuzeigen. - + The screen is too small to display the installer. Der Bildschirm ist zu klein, um das Installationsprogramm anzuzeigen. @@ -1769,6 +1774,16 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Für die Computer-ID wurde kein Einhängepunkt für die Root-Partition festgelegt. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. OEM-Chargenkennung auf <code>%1</code> setzen. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Partitionen - + Install %1 <strong>alongside</strong> another operating system. Installiere %1 <strong>neben</strong> einem anderen Betriebssystem. - + <strong>Erase</strong> disk and install %1. <strong>Lösche</strong> Festplatte und installiere %1. - + <strong>Replace</strong> a partition with %1. <strong>Ersetze</strong> eine Partition durch %1. - + <strong>Manual</strong> partitioning. <strong>Manuelle</strong> Partitionierung. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). %1 <strong>parallel</strong> zu einem anderen Betriebssystem auf der Festplatte <strong>%2</strong> (%3) installieren. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. Festplatte <strong>%2</strong> <strong>löschen</strong> (%3) und %1 installieren. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. Eine Partition auf Festplatte <strong>%2</strong> (%3) durch %1 <strong>ersetzen</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Manuelle</strong> Partitionierung auf Festplatte <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Festplatte <strong>%1</strong> (%2) - + Current: Aktuell: - + After: Nachher: - + No EFI system partition configured Keine EFI-Systempartition konfiguriert - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Eine EFI Systempartition wird benötigt, um %1 zu starten.<br/><br/>Um eine EFI Systempartition einzurichten, gehen Sie zurück und wählen oder erstellen Sie ein FAT32-Dateisystem mit einer aktivierten <strong>%3</strong> Markierung sowie <strong>%2</strong> als Einhängepunkt .<br/><br/>Sie können ohne die Einrichtung einer EFI-Systempartition fortfahren, aber ihr System wird unter Umständen nicht starten können. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Eine EFI Systempartition wird benötigt, um %1 zu starten.<br/><br/>Eine Partition mit dem Einhängepunkt <strong>%2</strong> wurde eingerichtet, jedoch wurde dort keine <strong>%3</strong> Markierung gesetzt.<br/>Um diese Markierung zu setzen, gehen Sie zurück und bearbeiten Sie die Partition.<br/><br/>Sie können ohne diese Markierung fortfahren, aber ihr System wird unter Umständen nicht starten können. - + EFI system partition flag not set Die Markierung als EFI-Systempartition wurde nicht gesetzt - + Option to use GPT on BIOS Option zur Verwendung von GPT im BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Eine GPT-Partitionstabelle ist die beste Option für alle Systeme. Dieses Installationsprogramm unterstützt ein solches Setup auch für BIOS-Systeme.<br/><br/>Um eine GPT-Partitionstabelle im BIOS zu konfigurieren, gehen Sie (falls noch nicht geschehen) zurück und setzen Sie die Partitionstabelle auf GPT, als nächstes erstellen Sie eine 8 MB große unformatierte Partition mit aktiviertem <strong>bios_grub</strong>-Markierung.<br/><br/>Eine unformatierte 8 MB große Partition ist erforderlich, um %1 auf einem BIOS-System mit GPT zu starten. - + Boot partition not encrypted Bootpartition nicht verschlüsselt - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Eine separate Bootpartition wurde zusammen mit einer verschlüsselten Rootpartition erstellt, die Bootpartition ist aber unverschlüsselt.<br/><br/> Dies ist sicherheitstechnisch nicht optimal, da wichtige Systemdateien auf der unverschlüsselten Bootpartition gespeichert werden.<br/>Wenn Sie wollen, können Sie fortfahren, aber das Entschlüsseln des Dateisystems wird erst später während des Systemstarts erfolgen.<br/>Um die Bootpartition zu verschlüsseln, gehen Sie zurück und erstellen Sie diese neu, indem Sie bei der Partitionierung <strong>Verschlüsseln</strong> wählen. - + has at least one disk device available. mindestens eine Festplatte zur Verfügung hat - + There are no partitions to install on. Keine Partitionen für die Installation verfügbar. @@ -2660,14 +2688,14 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. ProcessResult - + There was no output from the command. Dieser Befehl hat keine Ausgabe erzeugt. - + Output: @@ -2676,52 +2704,52 @@ Ausgabe: - + External command crashed. Externes Programm abgestürzt. - + Command <i>%1</i> crashed. Programm <i>%1</i> abgestürzt. - + External command failed to start. Externes Programm konnte nicht gestartet werden. - + Command <i>%1</i> failed to start. Das Programm <i>%1</i> konnte nicht gestartet werden. - + Internal error when starting command. Interner Fehler beim Starten des Programms. - + Bad parameters for process job call. Ungültige Parameter für Prozessaufruf. - + External command failed to finish. Externes Programm konnte nicht abgeschlossen werden. - + Command <i>%1</i> failed to finish in %2 seconds. Programm <i>%1</i> konnte nicht innerhalb von %2 Sekunden abgeschlossen werden. - + External command finished with errors. Externes Programm mit Fehlern beendet. - + Command <i>%1</i> finished with exit code %2. Befehl <i>%1</i> beendet mit Exit-Code %2. @@ -2729,32 +2757,27 @@ Ausgabe: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Die Anforderungsprüfung für das Modul <i>%1</i> ist abgeschlossen. - - - + unknown unbekannt - + extended erweitert - + unformatted unformatiert - + swap Swap @@ -2808,6 +2831,15 @@ Ausgabe: Nicht zugeteilter Speicherplatz oder unbekannte Partitionstabelle + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Ausgabe: Form - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Wählen Sie den Installationsort für %1.<br/><font color="red">Warnung: </font>Dies wird alle Daten auf der ausgewählten Partition löschen. - + The selected item does not appear to be a valid partition. Die aktuelle Auswahl scheint keine gültige Partition zu sein. - + %1 cannot be installed on empty space. Please select an existing partition. %1 kann nicht in einem unpartitionierten Bereich installiert werden. Bitte wählen Sie eine existierende Partition aus. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 kann nicht auf einer erweiterten Partition installiert werden. Bitte wählen Sie eine primäre oder logische Partition aus. - + %1 cannot be installed on this partition. %1 kann auf dieser Partition nicht installiert werden. - + Data partition (%1) Datenpartition (%1) - + Unknown system partition (%1) Unbekannte Systempartition (%1) - + %1 system partition (%2) %1 Systempartition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Die Partition %1 ist zu klein für %2. Bitte wählen Sie eine Partition mit einer Kapazität von mindestens %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Es wurde keine EFI-Systempartition auf diesem System gefunden. Bitte gehen Sie zurück, und nutzen Sie die manuelle Partitionierung, um %1 aufzusetzen. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 wird installiert auf %2.<br/><font color="red">Warnung: </font> Alle Daten auf der Partition %2 werden gelöscht. - + The EFI system partition at %1 will be used for starting %2. Die EFI-Systempartition auf %1 wird benutzt, um %2 zu starten. - + EFI system partition: EFI-Systempartition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Ausgabe: ResultsListDialog - + For best results, please ensure that this computer: Für das beste Ergebnis stellen Sie bitte sicher, dass dieser Computer: - + System requirements Systemanforderungen @@ -3045,27 +3092,27 @@ Ausgabe: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Die Installation kann nicht fortgesetzt werden. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Dieser Computer erfüllt nicht die Mindestvoraussetzungen für die Installation von %1.<br/>Die Installation kann nicht fortgesetzt werden. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Dieser Computer erfüllt nicht alle empfohlenen Voraussetzungen für die Installation von %1.<br/>Die Installation kann fortgesetzt werden, aber es werden eventuell nicht alle Funktionen verfügbar sein. - + This program will ask you some questions and set up %2 on your computer. Dieses Programm wird Ihnen einige Fragen stellen, um %2 auf Ihrem Computer zu installieren. @@ -3348,51 +3395,80 @@ Ausgabe: TrackingInstallJob - + Installation feedback Rückmeldungen zur Installation - + Sending installation feedback. Senden der Rückmeldungen zur Installation. - + Internal error in install-tracking. Interner Fehler bei der Überwachung der Installation. - + HTTP request timed out. Zeitüberschreitung bei HTTP-Anfrage - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Rückinformationen zum Computer - + Configuring machine feedback. Konfiguriere Rückmeldungen zum Computer. - - + + Error in machine feedback configuration. Fehler bei der Konfiguration der Rückmeldungen zum Computer - + Could not configure machine feedback correctly, script error %1. Rückmeldungen zum Computer konnten nicht korrekt konfiguriert werden, Skriptfehler %1. - + Could not configure machine feedback correctly, Calamares error %1. Rückmeldungen zum Computer konnten nicht korrekt konfiguriert werden, Calamares-Fehler %1. @@ -3411,8 +3487,8 @@ Ausgabe: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Ist diese Option aktiviert, werden <span style=" font-weight:600;">keinerlei Informationen</span> über Ihre Installation gesendet.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Ausgabe: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klicken sie hier für weitere Informationen über Benutzer-Rückmeldungen</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Rückinformationen über die Installation helfen %1 festzustellen, wieviele Menschen es benutzen und auf welcher Hardware sie %1 installieren. Mit den beiden letzten Optionen gestatten Sie die Erhebung kontinuierlicher Informationen über Ihre bevorzugte Software. Um zu prüfen, welche Informationen gesendet werden, klicken Sie bitte auf das Hilfesymbol neben dem jeweiligen Abschnitt. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Wenn Sie diese Option auswählen, senden Sie Informationen zu Ihrer Installation und Hardware. Diese Informationen werden <b>nur einmalig</b> nach Abschluss der Installation gesendet. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Wenn Sie diese Option auswählen, senden Sie <b>regelmäßig</b> Informationen zu Installation, Hardware und Anwendungen an %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Wenn Sie diese Option auswählen, senden Sie <b>regelmäßig</b> Informationen zu Installation, Hardware, Anwendungen und Nutzungsmuster an %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Rückmeldung @@ -3629,42 +3705,42 @@ Ausgabe: &Veröffentlichungshinweise - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Willkommen bei Calamares, dem Installationsprogramm für %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Willkommen zur Installation von %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Willkommen beim Calamares-Installationsprogramm für %1. - + <h1>Welcome to the %1 installer.</h1> <h1>Willkommen im %1 Installationsprogramm.</h1> - + %1 support Unterstützung für %1 - + About %1 setup Über das Installationsprogramm %1 - + About %1 installer Über das %1 Installationsprogramm - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Danke an <a href="https://calamares.io/team/">das Calamares Team</a> und das <a href="https://www.transifex.com/calamares/calamares/">Calamares Übersetzerteam</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> Entwicklung wird gesponsert von <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Ausgabe: WelcomeQmlViewStep - + Welcome Willkommen @@ -3680,7 +3756,7 @@ Ausgabe: WelcomeViewStep - + Welcome Willkommen @@ -3720,6 +3796,26 @@ Liberating Software. Zurück + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Zurück + + keyboardq @@ -3765,6 +3861,24 @@ Liberating Software. Testen Sie Ihre Tastatur + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3837,27 +3951,27 @@ Liberating Software. <h3>Willkommen zum %1 <quote>%2</quote> Installationsprogramm</h3><p>Dieses Programm wird Ihnen einige Fragen stellen und %1 auf Ihrem Computer einrichten.</p> - + About Über - + Support Unterstützung - + Known issues Bekannte Probleme - + Release notes Veröffentlichungshinweise - + Donate Spenden diff --git a/lang/calamares_el.ts b/lang/calamares_el.ts index 50b5f2498..2d16ba3ac 100644 --- a/lang/calamares_el.ts +++ b/lang/calamares_el.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Εγκατάσταση @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Ολοκληρώθηκε @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Εκτελείται η εντολή %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Εκτελείται η λειτουργία %1. - + Bad working directory path Λανθασμένη διαδρομή καταλόγου εργασίας - + Working directory %1 for python job %2 is not readable. Ο ενεργός κατάλογος %1 για την εργασία python %2 δεν είναι δυνατόν να διαβαστεί. - + Bad main script file Λανθασμένο κύριο αρχείο δέσμης ενεργειών - + Main script file %1 for python job %2 is not readable. Η κύρια δέσμη ενεργειών %1 για την εργασία python %2 δεν είναι δυνατόν να διαβαστεί. - + Boost.Python error in job "%1". Σφάλμα Boost.Python στην εργασία "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Ναι - + &No &Όχι @@ -314,108 +319,108 @@ - + Continue with setup? Συνέχεια με την εγκατάσταση; - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Το πρόγραμμα εγκατάστασης %1 θα κάνει αλλαγές στον δίσκο για να εγκαταστήσετε το %2.<br/><strong>Δεν θα είστε σε θέση να αναιρέσετε τις αλλαγές.</strong> - + &Set up now - + &Install now &Εγκατάσταση τώρα - + Go &back Μετάβαση &πίσω - + &Set up - + &Install &Εγκατάσταση - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Η εγκτάσταση ολοκληρώθηκε. Κλείστε το πρόγραμμα εγκατάστασης. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Ακύρωση της εγκατάστασης χωρίς αλλαγές στο σύστημα. - + &Next &Επόμενο - + &Back &Προηγούμενο - + &Done &Ολοκληρώθηκε - + &Cancel &Ακύρωση - + Cancel setup? - + Cancel installation? Ακύρωση της εγκατάστασης; - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Θέλετε πραγματικά να ακυρώσετε τη διαδικασία εγκατάστασης; @@ -425,22 +430,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Άγνωστος τύπος εξαίρεσης - + unparseable Python error Μη αναγνώσιμο σφάλμα Python - + unparseable Python traceback Μη αναγνώσιμη ανίχνευση Python - + Unfetchable Python error. Μη ανακτήσιµο σφάλμα Python. @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information Εμφάνιση πληροφοριών απασφαλμάτωσης - + &Back &Προηγούμενο - + &Next &Επόμενο - + &Cancel &Ακύρωση - + %1 Setup Program - + %1 Installer Εφαρμογή εγκατάστασης του %1 @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -743,49 +748,49 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ο υπολογιστής δεν ικανοποιεί τις ελάχιστες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση δεν μπορεί να συνεχιστεί. <a href="#details">Λεπτομέριες...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Αυτός ο υπολογιστής δεν ικανοποιεί μερικές από τις συνιστώμενες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση μπορεί να συνεχιστεί, αλλά ορισμένες λειτουργίες μπορεί να απενεργοποιηθούν. - + This program will ask you some questions and set up %2 on your computer. Το πρόγραμμα θα σας κάνει μερικές ερωτήσεις και θα ρυθμίσει το %2 στον υπολογιστή σας. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Καλώς ήλθατε στην εγκατάσταση του %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information Ορισμός πληροφοριών κατάτμησης - + Install %1 on <strong>new</strong> %2 system partition. Εγκατάσταση %1 στο <strong>νέο</strong> %2 διαμέρισμα συστήματος. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Εγκατάσταση φορτωτή εκκίνησης στο <strong>%1</strong>. - + Setting up mount points. @@ -1270,32 +1275,32 @@ The installer will quit and all changes will be lost. Ε&πανεκκίνηση τώρα - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Η εγκατάσταση ολοκληρώθηκε.</h1><br/>Το %1 εγκαταστήθηκε στον υπολογιστή.<br/>Τώρα, μπορείτε να επανεκκινήσετε τον υπολογιστή σας ή να συνεχίσετε να δοκιμάζετε το %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1303,27 +1308,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Τέλος - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1354,72 +1359,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source είναι συνδεδεμένος σε πηγή ρεύματος - + The system is not plugged in to a power source. Το σύστημα δεν είναι συνδεδεμένο σε πηγή ρεύματος. - + is connected to the Internet είναι συνδεδεμένος στο διαδίκτυο - + The system is not connected to the Internet. Το σύστημα δεν είναι συνδεδεμένο στο διαδίκτυο. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Το πρόγραμμα εγκατάστασης δεν εκτελείται με δικαιώματα διαχειριστή. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Η οθόνη είναι πολύ μικρή για να απεικονίσει το πρόγραμμα εγκατάστασης @@ -1767,6 +1772,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ The installer will quit and all changes will be lost. Κατατμήσεις - + Install %1 <strong>alongside</strong> another operating system. Εγκατάσταση του %1 <strong>παράλληλα με</strong> ένα άλλο λειτουργικό σύστημα στον δίσκο. - + <strong>Erase</strong> disk and install %1. <strong>Διαγραφή</strong> του δίσκου και εγκατάσταση του %1. - + <strong>Replace</strong> a partition with %1. <strong>Αντικατάσταση</strong> μιας κατάτμησης με το %1. - + <strong>Manual</strong> partitioning. <strong>Χειροκίνητη</strong> τμηματοποίηση. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Εγκατάσταση του %1 <strong>παράλληλα με</strong> ένα άλλο λειτουργικό σύστημα στον δίσκο<strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Διαγραφή</strong> του δίσκου <strong>%2</strong> (%3) και εγκατάσταση του %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Αντικατάσταση</strong> μιας κατάτμησης στον δίσκο <strong>%2</strong> (%3) με το %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Χειροκίνητη</strong> τμηματοποίηση του δίσκου <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Δίσκος <strong>%1</strong> (%2) - + Current: Τρέχον: - + After: Μετά: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,65 +2686,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Λανθασμένοι παράμετροι για την κλήση διεργασίας. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2724,32 +2752,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown άγνωστη - + extended εκτεταμένη - + unformatted μη μορφοποιημένη - + swap @@ -2803,6 +2826,15 @@ Output: Μη κατανεμημένος χώρος ή άγνωστος πίνακας κατατμήσεων + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2838,73 +2870,88 @@ Output: Τύπος - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. Το επιλεγμένο στοιχείο φαίνεται να μην είναι ένα έγκυρο διαμέρισμα. - + %1 cannot be installed on empty space. Please select an existing partition. %1 δεν μπορεί να εγκατασταθεί σε άδειο χώρο. Παρακαλώ επίλεξε ένα υφιστάμενο διαμέρισμα. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 δεν μπορεί να εγκατασταθεί σε ένα εκτεταμένο διαμέρισμα. Παρακαλώ επίλεξε ένα υφιστάμενο πρωτεύον ή λογικό διαμέρισμα. - + %1 cannot be installed on this partition. %1 δεν μπορεί να εγκατασταθεί σ' αυτό το διαμέρισμα. - + Data partition (%1) Κατάτμηση δεδομένων (%1) - + Unknown system partition (%1) Άγνωστη κατάτμηση συστήματος (%1) - + %1 system partition (%2) %1 κατάτμηση συστήματος (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Πουθενά στο σύστημα δεν μπορεί να ανιχθευθεί μία κατάτμηση EFI. Παρακαλώ επιστρέψτε πίσω και χρησιμοποιήστε τη χειροκίνητη τμηματοποίηση για την εγκατάσταση του %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. Η κατάτμηση συστήματος EFI στο %1 θα χρησιμοποιηθεί για την εκκίνηση του %2. - + EFI system partition: Κατάτμηση συστήματος EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3027,12 +3074,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Για καλύτερο αποτέλεσμα, παρακαλώ βεβαιωθείτε ότι ο υπολογιστής: - + System requirements Απαιτήσεις συστήματος @@ -3040,27 +3087,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ο υπολογιστής δεν ικανοποιεί τις ελάχιστες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση δεν μπορεί να συνεχιστεί. <a href="#details">Λεπτομέριες...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Αυτός ο υπολογιστής δεν ικανοποιεί μερικές από τις συνιστώμενες απαιτήσεις για την εγκατάσταση του %1.<br/>Η εγκατάσταση μπορεί να συνεχιστεί, αλλά ορισμένες λειτουργίες μπορεί να απενεργοποιηθούν. - + This program will ask you some questions and set up %2 on your computer. Το πρόγραμμα θα σας κάνει μερικές ερωτήσεις και θα ρυθμίσει το %2 στον υπολογιστή σας. @@ -3343,51 +3390,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3406,7 +3482,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3415,30 +3491,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3624,42 +3700,42 @@ Output: Ση&μειώσεις έκδοσης - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Καλώς ήλθατε στην εγκατάσταση του %1.</h1> - + %1 support Υποστήριξη %1 - + About %1 setup - + About %1 installer Σχετικά με το πρόγραμμα εγκατάστασης %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3667,7 +3743,7 @@ Output: WelcomeQmlViewStep - + Welcome Καλώς ήλθατε @@ -3675,7 +3751,7 @@ Output: WelcomeViewStep - + Welcome Καλώς ήλθατε @@ -3704,6 +3780,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3749,6 +3845,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3800,27 +3914,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_en.ts b/lang/calamares_en.ts index ec80837bd..807863cf5 100644 --- a/lang/calamares_en.ts +++ b/lang/calamares_en.ts @@ -230,7 +230,7 @@ Requirements checking for module <i>%1</i> is complete. - Requirements checking for module <i>%1</i> is complete. + Requirements checking for module <i>%1</i> is complete. @@ -777,22 +777,22 @@ The installer will quit and all changes will be lost. <h1>Welcome to the Calamares setup program for %1</h1> - + <h1>Welcome to the Calamares setup program for %1</h1> <h1>Welcome to %1 setup</h1> - + <h1>Welcome to %1 setup</h1> <h1>Welcome to the Calamares installer for %1</h1> - + <h1>Welcome to the Calamares installer for %1</h1> <h1>Welcome to the %1 installer</h1> - + <h1>Welcome to the %1 installer</h1> @@ -1781,7 +1781,9 @@ The installer will quit and all changes will be lost. Please select your preferred location on the map so the installer can suggest the locale and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. - + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. @@ -1927,12 +1929,12 @@ The installer will quit and all changes will be lost. Timezone: %1 - + Timezone: %1 To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. - + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. @@ -2837,7 +2839,8 @@ Output: <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> @@ -2948,13 +2951,15 @@ Output: <p>This computer does not satisfy the minimum requirements for installing %1.<br/> Installation cannot continue.</p> - + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> @@ -3420,28 +3425,28 @@ Output: KDE user feedback - + KDE user feedback Configuring KDE user feedback. - + Configuring KDE user feedback. Error in KDE user feedback configuration. - + Error in KDE user feedback configuration. Could not configure KDE user feedback correctly, script error %1. - + Could not configure KDE user feedback correctly, script error %1. Could not configure KDE user feedback correctly, Calamares error %1. - + Could not configure KDE user feedback correctly, Calamares error %1. @@ -3449,28 +3454,28 @@ Output: Machine feedback - Machine feedback + Machine feedback Configuring machine feedback. - Configuring machine feedback. + Configuring machine feedback. Error in machine feedback configuration. - Error in machine feedback configuration. + Error in machine feedback configuration. Could not configure machine feedback correctly, script error %1. - Could not configure machine feedback correctly, script error %1. + Could not configure machine feedback correctly, script error %1. Could not configure machine feedback correctly, Calamares error %1. - Could not configure machine feedback correctly, Calamares error %1. + Could not configure machine feedback correctly, Calamares error %1. @@ -3488,7 +3493,7 @@ Output: <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3498,22 +3503,22 @@ Output: Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. @@ -3802,18 +3807,20 @@ Output: <h1>Languages</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. <h1>Locales</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. Back - Back + Back @@ -3866,17 +3873,17 @@ Output: System language set to %1 - + System language set to %1 Numbers and dates locale set to %1 - + Numbers and dates locale set to %1 Change - + Change diff --git a/lang/calamares_en_GB.ts b/lang/calamares_en_GB.ts index 916173cf9..4f5d4603c 100644 --- a/lang/calamares_en_GB.ts +++ b/lang/calamares_en_GB.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Running %1 operation. - + Bad working directory path Bad working directory path - + Working directory %1 for python job %2 is not readable. Working directory %1 for python job %2 is not readable. - + Bad main script file Bad main script file - + Main script file %1 for python job %2 is not readable. Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Yes - + &No &No @@ -314,108 +319,108 @@ <br/>The following modules could not be loaded: - + Continue with setup? Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now &Install now - + Go &back Go &back - + &Set up - + &Install &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Cancel installation without changing the system. - + &Next &Next - + &Back &Back - + &Done &Done - + &Cancel &Cancel - + Cancel setup? - + Cancel installation? Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Do you really want to cancel the current install process? @@ -425,22 +430,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Unknown exception type - + unparseable Python error unparseable Python error - + unparseable Python traceback unparseable Python traceback - + Unfetchable Python error. Unfetchable Python error. @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information Show debug information - + &Back &Back - + &Next &Next - + &Cancel &Cancel - + %1 Setup Program - + %1 Installer %1 Installer @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. The command needs to know the user's name, but no username is defined. @@ -743,49 +748,49 @@ The installer will quit and all changes will be lost. Network Installation. (Disabled: Unable to fetch package lists, check your network connection) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information Set partition information - + Install %1 on <strong>new</strong> %2 system partition. Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Install boot loader on <strong>%1</strong>. - + Setting up mount points. Setting up mount points. @@ -1270,32 +1275,32 @@ The installer will quit and all changes will be lost. &Restart now - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1303,27 +1308,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Finish - + Setup Complete - + Installation Complete Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. The installation of %1 is complete. @@ -1354,72 +1359,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source is plugged in to a power source - + The system is not plugged in to a power source. The system is not plugged in to a power source. - + is connected to the Internet is connected to the Internet - + The system is not connected to the Internet. The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. The screen is too small to display the installer. @@ -1767,6 +1772,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ The installer will quit and all changes will be lost. Partitions - + Install %1 <strong>alongside</strong> another operating system. Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Current: - + After: After: - + No EFI system partition configured No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,14 +2686,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. There was no output from the command. - + Output: @@ -2674,52 +2702,52 @@ Output: - + External command crashed. External command crashed. - + Command <i>%1</i> crashed. Command <i>%1</i> crashed. - + External command failed to start. External command failed to start. - + Command <i>%1</i> failed to start. Command <i>%1</i> failed to start. - + Internal error when starting command. Internal error when starting command. - + Bad parameters for process job call. Bad parameters for process job call. - + External command failed to finish. External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. External command finished with errors. - + Command <i>%1</i> finished with exit code %2. Command <i>%1</i> finished with exit code %2. @@ -2727,32 +2755,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown unknown - + extended extended - + unformatted unformatted - + swap swap @@ -2806,6 +2829,15 @@ Output: Unpartitioned space or unknown partition table + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Output: Form - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. %1 cannot be installed on this partition. - + Data partition (%1) Data partition (%1) - + Unknown system partition (%1) Unknown system partition (%1) - + %1 system partition (%2) %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. The EFI system partition at %1 will be used for starting %2. - + EFI system partition: EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: For best results, please ensure that this computer: - + System requirements System requirements @@ -3043,27 +3090,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. This program will ask you some questions and set up %2 on your computer. @@ -3346,51 +3393,80 @@ Output: TrackingInstallJob - + Installation feedback Installation feedback - + Sending installation feedback. Sending installation feedback. - + Internal error in install-tracking. Internal error in install-tracking. - + HTTP request timed out. HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Machine feedback - + Configuring machine feedback. Configuring machine feedback. - - + + Error in machine feedback configuration. Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. Could not configure machine feedback correctly, Calamares error %1. @@ -3409,8 +3485,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3418,30 +3494,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Click here for more information about user feedback</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Feedback @@ -3627,42 +3703,42 @@ Output: &Release notes - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Welcome to the %1 installer.</h1> - + %1 support %1 support - + About %1 setup - + About %1 installer About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3670,7 +3746,7 @@ Output: WelcomeQmlViewStep - + Welcome Welcome @@ -3678,7 +3754,7 @@ Output: WelcomeViewStep - + Welcome Welcome @@ -3707,6 +3783,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3752,6 +3848,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3803,27 +3917,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_eo.ts b/lang/calamares_eo.ts index a1149e8bd..dedcbbc29 100644 --- a/lang/calamares_eo.ts +++ b/lang/calamares_eo.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Aranĝu - + Install Instalu @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Finita @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Jes - + &No &Ne @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now &Aranĝu nun - + &Install now &Instali nun - + Go &back Iru &Reen - + &Set up &Aranĝu - + &Install &Instali - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Nuligi instalado sen ŝanĝante la sistemo. - + &Next &Sekva - + &Back &Reen - + &Done &Finita - + &Cancel &Nuligi - + Cancel setup? - + Cancel installation? Nuligi instalado? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ĉu vi vere volas nuligi la instalan procedon? @@ -425,22 +430,22 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -457,32 +462,32 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CalamaresWindow - + Show debug information - + &Back &Reen - + &Next &Sekva - + &Cancel &Nuligi - + %1 Setup Program - + %1 Installer %1 Instalilo @@ -679,18 +684,18 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -743,48 +748,48 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1222,37 +1227,37 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1270,32 +1275,32 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. &Restartigu nun - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Plenumita!</h1><br/>%1 estis agordita sur vian komputilon.<br/>Vi povas nun ekuzi vian novan sistemon. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Se ĉi tio elektobutono estas elektita, via sistemo restartos senprokraste, kiam vi klikas <span style="font-style:italic;">Finita</span> aŭ vi malfermas la agordilon.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Plenumita!</h1><br/>%1 estis instalita sur vian komputilon.<br/>Vi povas nun restartigas en vian novan sistemon, aŭ vi povas pluiri uzi la %2 aŭtonoman sistemon. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Se ĉi tio elektobutono estas elektita, via sistemo restartos senprokraste, kiam vi klikas <span style="font-style:italic;">Finita</span> aŭ vi malfermas la instalilon.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Agorado Malsukcesis</h1><br/>%1 ne estis agordita sur vian komputilon.<br/>La erara mesaĝo estis: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalaĵo Malsukcesis</h1><br/>%1 ne estis instalita sur vian komputilon.<br/>La erara mesaĝo estis: %2. @@ -1303,27 +1308,27 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. FinishedViewStep - + Finish Pretigu - + Setup Complete Agordaĵo Plenumita - + Installation Complete Instalaĵo Plenumita - + The setup of %1 is complete. La agordaĵo de %1 estas plenumita. - + The installation of %1 is complete. La instalaĵo de %1 estas plenumita. @@ -1354,72 +1359,72 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1767,6 +1772,16 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: Nune: - + After: Poste: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,65 +2686,65 @@ La instalilo forlasos kaj ĉiuj ŝanĝoj perdos. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2724,32 +2752,27 @@ Output: QObject - + %1 (%2) %1(%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended kromsubdisko - + unformatted nestrukturita - + swap @@ -2803,6 +2826,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2838,73 +2870,88 @@ Output: Formularo - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3027,12 +3074,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3040,27 +3087,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3343,51 +3390,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3406,7 +3482,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3415,30 +3491,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3624,42 +3700,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3667,7 +3743,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3675,7 +3751,7 @@ Output: WelcomeViewStep - + Welcome @@ -3704,6 +3780,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3749,6 +3845,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3800,27 +3914,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_es.ts b/lang/calamares_es.ts index 242f5a13f..793795034 100644 --- a/lang/calamares_es.ts +++ b/lang/calamares_es.ts @@ -118,12 +118,12 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::ExecutionViewStep - + Set up Instalar - + Install Instalar @@ -131,12 +131,12 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::FailJob - + Job failed (%1) Trabajo fallido (%1) - + Programmed job failure was explicitly requested. Se solicitó de manera explícita la falla del trabajo programado. @@ -144,7 +144,7 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::JobThread - + Done Hecho @@ -152,7 +152,7 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::NamedJob - + Example job (%1) Ejemplo de trabajo (%1) @@ -160,17 +160,17 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::ProcessJob - + Run command '%1' in target system. Ejecutar el comando '% 1' en el sistema de destino. - + Run command '%1'. Ejecutar el comando '% 1'. - + Running command %1 %2 Ejecutando comando %1 %2 @@ -178,32 +178,32 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::PythonJob - + Running %1 operation. Ejecutando %1 operación. - + Bad working directory path Error en la ruta del directorio de trabajo - + Working directory %1 for python job %2 is not readable. El directorio de trabajo %1 para el script de python %2 no se puede leer. - + Bad main script file Script principal erróneo - + Main script file %1 for python job %2 is not readable. El script principal %1 del proceso python %2 no es accesible. - + Boost.Python error in job "%1". Error Boost.Python en el proceso "%1". @@ -228,8 +228,13 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). Esperando %n módulo (s). @@ -237,7 +242,7 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar - + (%n second(s)) @@ -245,7 +250,7 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar - + System-requirements checking is complete. La verificación de los requisitos del sistema está completa. @@ -274,13 +279,13 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar - + &Yes &Sí - + &No &No @@ -315,108 +320,108 @@ Para configurar el arranque desde un entorno BIOS, este instalador debe instalar Los siguientes módulos no se pudieron cargar: - + Continue with setup? ¿Continuar con la configuración? - + Continue with installation? Continuar con la instalación? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> El programa de instalación %1 está a punto de hacer cambios en el disco con el fin de configurar %2.<br/><strong>No podrá deshacer estos cambios.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> El instalador %1 va a realizar cambios en su disco para instalar %2.<br/><strong>No podrá deshacer estos cambios.</strong> - + &Set up now &Configurar ahora - + &Install now &Instalar ahora - + Go &back Regresar - + &Set up &Instalar - + &Install &Instalar - + Setup is complete. Close the setup program. La instalación se ha completado. Cierre el instalador. - + The installation is complete. Close the installer. La instalación se ha completado. Cierre el instalador. - + Cancel setup without changing the system. Cancelar instalación sin cambiar el sistema. - + Cancel installation without changing the system. Cancelar instalación sin cambiar el sistema. - + &Next &Siguiente - + &Back &Atrás - + &Done &Hecho - + &Cancel &Cancelar - + Cancel setup? ¿Cancelar la instalación? - + Cancel installation? ¿Cancelar la instalación? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿Realmente quiere cancelar el proceso de instalación? @@ -426,22 +431,22 @@ Saldrá del instalador y se perderán todos los cambios. CalamaresPython::Helper - + Unknown exception type Excepción desconocida - + unparseable Python error error unparseable Python - + unparseable Python traceback rastreo de Python unparseable - + Unfetchable Python error. Error de Python Unfetchable. @@ -458,32 +463,32 @@ Saldrá del instalador y se perderán todos los cambios. CalamaresWindow - + Show debug information Mostrar información de depuración. - + &Back &Atrás - + &Next &Siguiente - + &Cancel &Cancelar - + %1 Setup Program - + %1 Installer %1 Instalador @@ -680,18 +685,18 @@ Saldrá del instalador y se perderán todos los cambios. CommandList - - + + Could not run command. No se pudo ejecutar el comando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. El comando corre en el ambiente anfitrión y necesita saber el directorio raiz, pero no está definido el punto de montaje de la raiz - + The command needs to know the user's name, but no username is defined. El comando necesita saber el nombre de usuario, pero no hay nombre de usuario definido. @@ -744,49 +749,49 @@ Saldrá del instalador y se perderán todos los cambios. Instalación a través de la Red. (Desactivada: no se ha podido obtener una lista de paquetes, comprueba tu conexión a la red) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este ordenador no cumple los requisitos mínimos para la instalación. %1.<br/>La instalación no puede continuar. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este ordenador no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - + This program will ask you some questions and set up %2 on your computer. El programa le preguntará algunas cuestiones y configurará %2 en su ordenador. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Bienvenido al instalador %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Bienvenido al instalador de Calamares para %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bienvenido al instalador %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ Saldrá del instalador y se perderán todos los cambios. FillGlobalStorageJob - + Set partition information Establecer la información de la partición - + Install %1 on <strong>new</strong> %2 system partition. Instalar %1 en <strong>nuevo</strong> %2 partición del sistema. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Configurar <strong>nueva</strong> %2 partición con punto de montaje <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalar %2 en %3 partición del sistema <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Configurar %3 partición <strong>%1</strong> con punto de montaje <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalar gestor de arranque en <strong>%1</strong>. - + Setting up mount points. Configurando puntos de montaje. @@ -1271,32 +1276,32 @@ Saldrá del instalador y se perderán todos los cambios. &Reiniciar ahora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Listo.</h1><br/>%1 ha sido instalado en su equipo.<br/>Ahora puede reiniciar hacia su nuevo sistema, o continuar utilizando %2 Live. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>La instalación falló</h1><br/>%1 no se ha instalado en su equipo.<br/>El mensaje de error fue: %2. @@ -1304,27 +1309,27 @@ Saldrá del instalador y se perderán todos los cambios. FinishedViewStep - + Finish Finalizar - + Setup Complete - + Installation Complete Instalación completada - + The setup of %1 is complete. - + The installation of %1 is complete. Se ha completado la instalación de %1. @@ -1355,72 +1360,72 @@ Saldrá del instalador y se perderán todos los cambios. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. No hay suficiente espació en el disco duro. Se requiere al menos %1 GB libre. - + has at least %1 GiB working memory tiene al menos %1 GB de memoria. - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source esta conectado a una fuente de alimentación - + The system is not plugged in to a power source. El sistema no esta conectado a una fuente de alimentación. - + is connected to the Internet esta conectado a Internet - + The system is not connected to the Internet. El sistema no esta conectado a Internet - + is running the installer as an administrator (root) esta ejecutándose con permisos de administrador (root). - + The setup program is not running with administrator rights. El instalador no esta ejecutándose con permisos de administrador. - + The installer is not running with administrator rights. El instalador no esta ejecutándose con permisos de administrador. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. La pantalla es demasiado pequeña para mostrar el instalador. - + The screen is too small to display the installer. La pantalla es demasiado pequeña para mostrar el instalador. @@ -1768,6 +1773,16 @@ Saldrá del instalador y se perderán todos los cambios. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ Saldrá del instalador y se perderán todos los cambios. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ Saldrá del instalador y se perderán todos los cambios. Particiones - + Install %1 <strong>alongside</strong> another operating system. Instalar %1 <strong>junto a</strong> otro sistema operativo. - + <strong>Erase</strong> disk and install %1. <strong>Borrar</strong> disco e instalar %1. - + <strong>Replace</strong> a partition with %1. <strong>Reemplazar</strong> una partición con %1. - + <strong>Manual</strong> partitioning. Particionamiento <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalar %1 <strong>junto a</strong> otro sistema operativo en disco <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Borrar</strong> disco <strong>%2</strong> (%3) e instalar %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Reemplazar</strong> una partición en disco <strong>%2</strong> (%3) con %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionamiento <strong>manual</strong> en disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1<strong> (%2) - + Current: Corriente - + After: Despúes: - + No EFI system partition configured No hay una partición del sistema EFI configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Bandera EFI no establecida en la partición del sistema - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partición de arranque no cifrada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Se estableció una partición de arranque aparte junto con una partición raíz cifrada, pero la partición de arranque no está cifrada.<br/><br/>Hay consideraciones de seguridad con esta clase de instalación, porque los ficheros de sistema importantes se mantienen en una partición no cifrada.<br/>Puede continuar si lo desea, pero el desbloqueo del sistema de ficheros ocurrirá más tarde durante el arranque del sistema.<br/>Para cifrar la partición de arranque, retroceda y vuelva a crearla, seleccionando <strong>Cifrar</strong> en la ventana de creación de la partición. - + has at least one disk device available. - + There are no partitions to install on. @@ -2659,14 +2687,14 @@ Saldrá del instalador y se perderán todos los cambios. ProcessResult - + There was no output from the command. No hubo salida del comando. - + Output: @@ -2675,52 +2703,52 @@ Salida: - + External command crashed. El comando externo falló. - + Command <i>%1</i> crashed. El comando <i>%1</i> falló. - + External command failed to start. El comando externo no se pudo iniciar. - + Command <i>%1</i> failed to start. El comando <i>%1</i> no se pudo iniciar. - + Internal error when starting command. Error interno al iniciar el comando. - + Bad parameters for process job call. Parámetros erróneos para la llamada de la tarea del procreso. - + External command failed to finish. El comando externo no se pudo finalizar. - + Command <i>%1</i> failed to finish in %2 seconds. El comando <i>%1</i> no se pudo finalizar en %2 segundos. - + External command finished with errors. El comando externo finalizó con errores. - + Command <i>%1</i> finished with exit code %2. El comando <i>%1</i> finalizó con un código de salida %2. @@ -2728,32 +2756,27 @@ Salida: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown desconocido - + extended extendido - + unformatted sin formato - + swap swap @@ -2807,6 +2830,15 @@ Salida: Espacio no particionado o tabla de partición desconocida + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Salida: Formulario - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Seleccione dónde instalar %1<br/><font color="red">Atención: </font>esto borrará todos sus archivos en la partición seleccionada. - + The selected item does not appear to be a valid partition. El elemento seleccionado no parece ser una partición válida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 no se puede instalar en el espacio vacío. Por favor, seleccione una partición existente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 no se puede instalar en una partición extendida. Por favor, seleccione una partición primaria o lógica existente. - + %1 cannot be installed on this partition. %1 no se puede instalar en esta partición. - + Data partition (%1) Partición de datos (%1) - + Unknown system partition (%1) Partición desconocida del sistema (%1) - + %1 system partition (%2) %1 partición del sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partición %1 es demasiado pequeña para %2. Por favor, seleccione una participación con capacidad para al menos %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>No se puede encontrar una partición de sistema EFI en ninguna parte de este sistema. Por favor, retroceda y use el particionamiento manual para establecer %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 se instalará en %2.<br/><font color="red">Advertencia: </font>Todos los datos en la partición %2 se perderán. - + The EFI system partition at %1 will be used for starting %2. La partición del sistema EFI en %1 se utilizará para iniciar %2. - + EFI system partition: Partición del sistema EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Salida: ResultsListDialog - + For best results, please ensure that this computer: Para obtener los mejores resultados, por favor asegúrese que este ordenador: - + System requirements Requisitos del sistema @@ -3044,27 +3091,27 @@ Salida: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este ordenador no cumple los requisitos mínimos para la instalación. %1.<br/>La instalación no puede continuar. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este ordenador no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - + This program will ask you some questions and set up %2 on your computer. El programa le preguntará algunas cuestiones y configurará %2 en su ordenador. @@ -3347,51 +3394,80 @@ Salida: TrackingInstallJob - + Installation feedback Respuesta de la instalación - + Sending installation feedback. Enviar respuesta de la instalación - + Internal error in install-tracking. Error interno en el seguimiento-de-instalación. - + HTTP request timed out. La petición HTTP agotó el tiempo de espera. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Respuesta de la máquina - + Configuring machine feedback. Configurando respuesta de la máquina. - - + + Error in machine feedback configuration. Error en la configuración de la respuesta de la máquina. - + Could not configure machine feedback correctly, script error %1. No se pudo configurar correctamente la respuesta de la máquina, error de script %1. - + Could not configure machine feedback correctly, Calamares error %1. No se pudo configurar correctamente la respuesta de la máquina, error de Calamares %1. @@ -3410,8 +3486,8 @@ Salida: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Al seleccionar esto, no enviará <span style=" font-weight:600;">información en absoluto</span> acerca de su instalación.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3419,30 +3495,30 @@ Salida: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Pulse aquí para más información acerca de la respuesta del usuario</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - El seguimiento de instalación ayuda a %1 a ver cuántos usuarios tiene, en qué hardware se instala %1, y (con las últimas dos opciones de debajo) a obtener información continua acerca de las aplicaciones preferidas. Para ver lo que se enviará, por favor, pulse en el icono de ayuda junto a cada área. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Al seleccionar esto enviará información acerca de su instalación y hardware. Esta información <b>sólo se enviará una vez</b> después de que finalice la instalación. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Al seleccionar esto enviará información <b>periódicamente</b> acerca de su instalación, hardware y aplicaciones, a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Al seleccionar esto enviará información <b>regularmente</b> acerca de su instalación, hardware, aplicaciones y patrones de uso, a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Respuesta @@ -3628,42 +3704,42 @@ Salida: &Notas de publicación - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Bienvenido al instalador %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Bienvenido al instalador de Calamares para %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Bienvenido al instalador %1.</h1> - + %1 support %1 ayuda - + About %1 setup Acerca de la configuración %1 - + About %1 installer Acerca del instalador %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Salida: WelcomeQmlViewStep - + Welcome Bienvenido @@ -3679,7 +3755,7 @@ Salida: WelcomeViewStep - + Welcome Bienvenido @@ -3708,6 +3784,26 @@ Salida: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3753,6 +3849,24 @@ Salida: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3804,27 +3918,27 @@ Salida: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_es_MX.ts b/lang/calamares_es_MX.ts index a0aff287c..fdb2793bf 100644 --- a/lang/calamares_es_MX.ts +++ b/lang/calamares_es_MX.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Preparar - + Install Instalar @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Trabajo fallido (%1) - + Programmed job failure was explicitly requested. Falla del trabajo programado fue solicitado explícitamente. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Hecho @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Trabajo de ejemplo. (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Ejecutando comando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Ejecutando operación %1. - + Bad working directory path Ruta a la carpeta de trabajo errónea - + Working directory %1 for python job %2 is not readable. La carpeta de trabajo %1 para la tarea de python %2 no es accesible. - + Bad main script file Script principal erróneo - + Main script file %1 for python job %2 is not readable. El script principal %1 del proceso python %2 no es accesible. - + Boost.Python error in job "%1". Error Boost.Python en el proceso "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Chequeo de requerimientos del sistema completado. @@ -273,13 +278,13 @@ - + &Yes &Si - + &No &No @@ -314,109 +319,109 @@ <br/>Los siguientes módulos no pudieron ser cargados: - + Continue with setup? ¿Continuar con la instalación? - + Continue with installation? ¿Continuar con la instalación? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> El %1 programa de instalación esta a punto de realizar cambios a su disco con el fin de establecer %2.<br/><strong>Usted no podrá deshacer estos cambios.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> El instalador %1 va a realizar cambios en su disco para instalar %2.<br/><strong>No podrá deshacer estos cambios.</strong> - + &Set up now &Configurar ahora - + &Install now &Instalar ahora - + Go &back &Regresar - + &Set up &Configurar - + &Install &Instalar - + Setup is complete. Close the setup program. Configuración completa. Cierre el programa de instalación. - + The installation is complete. Close the installer. Instalación completa. Cierre el instalador. - + Cancel setup without changing the system. Cancelar la configuración sin cambiar el sistema. - + Cancel installation without changing the system. Cancelar instalación sin cambiar el sistema. - + &Next &Siguiente - + &Back &Atrás - + &Done &Hecho - + &Cancel &Cancelar - + Cancel setup? ¿Cancelar la configuración? - + Cancel installation? ¿Cancelar la instalación? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. ¿Realmente desea cancelar el actual proceso de configuración? El programa de instalación se cerrará y todos los cambios se perderán. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. ¿Realmente desea cancelar el proceso de instalación actual? @@ -426,22 +431,22 @@ El instalador terminará y se perderán todos los cambios. CalamaresPython::Helper - + Unknown exception type Tipo de excepción desconocida - + unparseable Python error error Python no analizable - + unparseable Python traceback rastreo de Python no analizable - + Unfetchable Python error. Error de Python inalcanzable. @@ -458,32 +463,32 @@ El instalador terminará y se perderán todos los cambios. CalamaresWindow - + Show debug information Mostrar información de depuración - + &Back &Atrás - + &Next &Siguiente - + &Cancel &Cancelar - + %1 Setup Program %1 Programa de instalación - + %1 Installer %1 Instalador @@ -681,18 +686,18 @@ El instalador terminará y se perderán todos los cambios. CommandList - - + + Could not run command. No puede ejecutarse el comando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Este comando se ejecuta en el entorno host y necesita saber la ruta root, pero no hay rootMountPoint definido. - + The command needs to know the user's name, but no username is defined. Este comando necesita saber el nombre de usuario, pero no hay nombre de usuario definido. @@ -745,49 +750,49 @@ El instalador terminará y se perderán todos los cambios. Instalación de Red. (Deshabilitada: No se puede acceder a la lista de paquetes, verifique su conección de red) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este equipo no cumple los requisitos mínimos para la instalación. %1.<br/>La instalación no puede continuar. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este equipo no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - + This program will ask you some questions and set up %2 on your computer. El programa le hará algunas preguntas y configurará %2 en su ordenador. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Bienvenido al programa de instalación Calamares para %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Bienvenido a la configuración %1</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Bienvenido al instalador Calamares para %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bienvenido al instalador de %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ El instalador terminará y se perderán todos los cambios. FillGlobalStorageJob - + Set partition information Fijar información de la partición. - + Install %1 on <strong>new</strong> %2 system partition. Instalar %1 en <strong>nueva</strong> %2 partición de sistema. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Configurar <strong>nueva</strong> %2 partición con punto de montaje <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalar %2 en %3 partición del sistema <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Configurar %3 partición <strong>%1</strong> con punto de montaje <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalar el cargador de arranque en <strong>%1</strong>. - + Setting up mount points. Configurando puntos de montaje. @@ -1272,32 +1277,32 @@ El instalador terminará y se perderán todos los cambios. &Reiniciar ahora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Todo listo.</h1><br/>% 1 se ha configurado en su computadora. <br/>Ahora puede comenzar a usar su nuevo sistema. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Cuando esta casilla está marcada, su sistema se reiniciará inmediatamente cuando haga clic en <span style="font-style:italic;">Listo</span> o cierre el programa de instalación.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Listo.</h1><br/>%1 ha sido instalado en su computadora.<br/>Ahora puede reiniciar su nuevo sistema, o continuar usando el entorno Live %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalación fallida</h1> <br/>%1 no ha sido instalado en su computador. <br/>El mensaje de error es: %2. @@ -1305,27 +1310,27 @@ El instalador terminará y se perderán todos los cambios. FinishedViewStep - + Finish Terminado - + Setup Complete - + Installation Complete Instalación Completa - + The setup of %1 is complete. - + The installation of %1 is complete. La instalación de %1 está completa. @@ -1356,72 +1361,72 @@ El instalador terminará y se perderán todos los cambios. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source está conectado a una fuente de energía - + The system is not plugged in to a power source. El sistema no está conectado a una fuente de energía. - + is connected to the Internet está conectado a Internet - + The system is not connected to the Internet. El sistema no está conectado a Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. El instalador no se está ejecutando con privilegios de administrador. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. La pantalla es muy pequeña para mostrar el instalador @@ -1769,6 +1774,16 @@ El instalador terminará y se perderán todos los cambios. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ El instalador terminará y se perderán todos los cambios. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ El instalador terminará y se perderán todos los cambios. Particiones - + Install %1 <strong>alongside</strong> another operating system. Instalar %1 <strong>junto con</strong> otro sistema operativo. - + <strong>Erase</strong> disk and install %1. <strong>Borrar</strong> el disco e instalar %1. - + <strong>Replace</strong> a partition with %1. <strong>Reemplazar</strong> una parición con %1. - + <strong>Manual</strong> partitioning. Particionamiento <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalar %1 <strong>junto con</strong> otro sistema operativo en el disco <strong>%2</strong>(%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Borrar</strong> el disco <strong>%2<strong> (%3) e instalar %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Reemplazar</strong> una parición en el disco <strong>%2</strong> (%3) con %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionar <strong>manualmente</strong> el disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1</strong> (%2) - + Current: Actual: - + After: Después: - + No EFI system partition configured Sistema de partición EFI no configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Indicador de partición del sistema EFI no configurado - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partición de arranque no encriptada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Se creó una partición de arranque separada junto con una partición raíz cifrada, pero la partición de arranque no está encriptada.<br/><br/> Existen problemas de seguridad con este tipo de configuración, ya que los archivos importantes del sistema se guardan en una partición no encriptada. <br/>Puede continuar si lo desea, pero el desbloqueo del sistema de archivos ocurrirá más tarde durante el inicio del sistema. <br/>Para encriptar la partición de arranque, retroceda y vuelva a crearla, seleccionando <strong>Encriptar</strong> en la ventana de creación de la partición. - + has at least one disk device available. - + There are no partitions to install on. @@ -2660,14 +2688,14 @@ El instalador terminará y se perderán todos los cambios. ProcessResult - + There was no output from the command. No hubo salida desde el comando. - + Output: @@ -2676,52 +2704,52 @@ Salida - + External command crashed. El comando externo ha fallado. - + Command <i>%1</i> crashed. El comando <i>%1</i> ha fallado. - + External command failed to start. El comando externo falló al iniciar. - + Command <i>%1</i> failed to start. El comando <i>%1</i> Falló al iniciar. - + Internal error when starting command. Error interno al iniciar el comando. - + Bad parameters for process job call. Parámetros erróneos en la llamada al proceso. - + External command failed to finish. Comando externo falla al finalizar - + Command <i>%1</i> failed to finish in %2 seconds. Comando <i>%1</i> falló al finalizar en %2 segundos. - + External command finished with errors. Comando externo finalizado con errores - + Command <i>%1</i> finished with exit code %2. Comando <i>%1</i> finalizó con código de salida %2. @@ -2729,32 +2757,27 @@ Salida QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown desconocido - + extended extendido - + unformatted no formateado - + swap swap @@ -2808,6 +2831,15 @@ Salida Espacio no particionado o tabla de partición desconocida + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,74 +2875,89 @@ Salida Formulario - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Selecciona donde instalar %1.<br/><font color="red">Aviso: </font>Se borrarán todos los archivos de la partición seleccionada. - + The selected item does not appear to be a valid partition. El elemento seleccionado no parece ser una partición válida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 no se puede instalar en un espacio vacío. Selecciona una partición existente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 no se puede instalar en una partición extendida. Selecciona una partición primaria o lógica. - + %1 cannot be installed on this partition. No se puede instalar %1 en esta partición. - + Data partition (%1) Partición de datos (%1) - + Unknown system partition (%1) Partición de sistema desconocida (%1) - + %1 system partition (%2) %1 partición de sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partición %1 es muy pequeña para %2. Selecciona otra partición que tenga al menos %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>No se puede encontrar una partición EFI en este sistema. Por favor vuelva atrás y use el particionamiento manual para configurar %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 sera instalado en %2.<br/><font color="red">Advertencia: </font>toda la información en la partición %2 se perdera. - + The EFI system partition at %1 will be used for starting %2. La partición EFI en %1 será usada para iniciar %2. - + EFI system partition: Partición de sistema EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3033,12 +3080,12 @@ Salida ResultsListDialog - + For best results, please ensure that this computer: Para mejores resultados, por favor verifique que esta computadora: - + System requirements Requisitos de sistema @@ -3046,27 +3093,27 @@ Salida ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este equipo no cumple los requisitos mínimos para la instalación. %1.<br/>La instalación no puede continuar. <a href="#details">Detalles...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este equipo no cumple alguno de los requisitos recomendados para la instalación %1.<br/>La instalación puede continuar, pero algunas funcionalidades podrían ser deshabilitadas. - + This program will ask you some questions and set up %2 on your computer. El programa le hará algunas preguntas y configurará %2 en su ordenador. @@ -3349,51 +3396,80 @@ Salida TrackingInstallJob - + Installation feedback Retroalimentacion de la instalación - + Sending installation feedback. Envío de retroalimentación de instalación. - + Internal error in install-tracking. Error interno en el seguimiento de instalación. - + HTTP request timed out. Tiempo de espera en la solicitud HTTP agotado. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Retroalimentación de la maquina - + Configuring machine feedback. Configurando la retroalimentación de la maquina. - - + + Error in machine feedback configuration. Error en la configuración de retroalimentación de la máquina. - + Could not configure machine feedback correctly, script error %1. No se pudo configurar correctamente la retroalimentación de la máquina, error de script% 1. - + Could not configure machine feedback correctly, Calamares error %1. No se pudo configurar la retroalimentación de la máquina correctamente, Calamares error% 1. @@ -3412,8 +3488,8 @@ Salida - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Al seleccionar esto, usted no enviará <span style=" font-weight:600;">ninguna información</span> acerca de su instalacion.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3421,30 +3497,30 @@ Salida <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Haga clic aquí para más información acerca de comentarios del usuario</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - El seguimiento de instalación ayuda a% 1 a ver cuántos usuarios tienen, qué hardware instalan% 1 y (con las dos últimas opciones a continuación), obtener información continua sobre las aplicaciones preferidas. Para ver qué se enviará, haga clic en el ícono de ayuda al lado de cada área. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Al seleccionar esto usted enviará información acerca de su instalación y hardware. Esta informacion será <b>enviada unicamente una vez</b> después de terminada la instalación. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Al seleccionar esto usted enviará información <b>periodicamente</b> acerca de su instalación, hardware y aplicaciones a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Al seleccionar esto usted enviará información <b>regularmente</b> acerca de su instalación, hardware y patrones de uso de aplicaciones a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Retroalimentación @@ -3630,42 +3706,42 @@ Salida &Notas de lanzamiento - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Bienvenido al programa de instalación Calamares para %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Bienvenido a la configuración %1</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Bienvenido al instalador Calamares para %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Bienvenido al instalador de %1.</h1> - + %1 support %1 Soporte - + About %1 setup Acerca de la configuración %1 - + About %1 installer Acerca del instalador %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3673,7 +3749,7 @@ Salida WelcomeQmlViewStep - + Welcome Bienvenido @@ -3681,7 +3757,7 @@ Salida WelcomeViewStep - + Welcome Bienvenido @@ -3710,6 +3786,26 @@ Salida + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3755,6 +3851,24 @@ Salida + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3806,27 +3920,27 @@ Salida - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_es_PR.ts b/lang/calamares_es_PR.ts index bc6cd41cf..be87e9323 100644 --- a/lang/calamares_es_PR.ts +++ b/lang/calamares_es_PR.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instalar @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Hecho @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path La ruta del directorio de trabajo es incorrecta - + Working directory %1 for python job %2 is not readable. El directorio de trabajo %1 para el script de python %2 no se puede leer. - + Bad main script file Script principal erróneo - + Main script file %1 for python job %2 is not readable. El script principal %1 del proceso python %2 no es accesible. - + Boost.Python error in job "%1". Error Boost.Python en el proceso "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Próximo - + &Back &Atrás - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back &Atrás - + &Next &Próximo - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Parámetros erróneos para el trabajo en proceso. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: Formulario - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_et.ts b/lang/calamares_et.ts index 66cd699ae..f9104cb0a 100644 --- a/lang/calamares_et.ts +++ b/lang/calamares_et.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Paigalda @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Valmis @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Käivitan käsklust %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Käivitan %1 tegevust. - + Bad working directory path Halb töökausta tee - + Working directory %1 for python job %2 is not readable. Töökaust %1 python tööle %2 pole loetav. - + Bad main script file Halb põhiskripti fail - + Main script file %1 for python job %2 is not readable. Põhiskripti fail %1 python tööle %2 pole loetav. - + Boost.Python error in job "%1". Boost.Python viga töös "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Jah - + &No &Ei @@ -314,108 +319,108 @@ <br/>Järgnevaid mooduleid ei saanud laadida: - + Continue with setup? Jätka seadistusega? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 paigaldaja on tegemas muudatusi sinu kettale, et paigaldada %2.<br/><strong>Sa ei saa neid muudatusi tagasi võtta.</strong> - + &Set up now &Seadista kohe - + &Install now &Paigalda kohe - + Go &back Mine &tagasi - + &Set up &Seadista - + &Install &Paigalda - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Paigaldamine on lõpetatud. Sulge paigaldaja. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Tühista paigaldamine ilma süsteemi muutmata. - + &Next &Edasi - + &Back &Tagasi - + &Done &Valmis - + &Cancel &Tühista - + Cancel setup? - + Cancel installation? Tühista paigaldamine? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Kas sa tõesti soovid tühistada praeguse paigaldusprotsessi? @@ -425,22 +430,22 @@ Paigaldaja sulgub ning kõik muutused kaovad. CalamaresPython::Helper - + Unknown exception type Tundmatu veateade - + unparseable Python error mittetöödeldav Python'i viga - + unparseable Python traceback mittetöödeldav Python'i traceback - + Unfetchable Python error. Kättesaamatu Python'i viga. @@ -457,32 +462,32 @@ Paigaldaja sulgub ning kõik muutused kaovad. CalamaresWindow - + Show debug information Kuva silumisteavet - + &Back &Tagasi - + &Next &Edasi - + &Cancel &Tühista - + %1 Setup Program - + %1 Installer %1 paigaldaja @@ -679,18 +684,18 @@ Paigaldaja sulgub ning kõik muutused kaovad. CommandList - - + + Could not run command. Käsku ei saanud käivitada. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. See käsklus käivitatakse hostikeskkonnas ning peab teadma juurteed, kuid rootMountPoint pole defineeritud. - + The command needs to know the user's name, but no username is defined. Käsklus peab teadma kasutaja nime, aga kasutajanimi pole defineeritud. @@ -743,49 +748,49 @@ Paigaldaja sulgub ning kõik muutused kaovad. Võrgupaigaldus. (Keelatud: paketinimistute saamine ebaõnnestus, kontrolli oma võrguühendust) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> See arvuti ei rahulda %1 paigldamiseks vajalikke minimaaltingimusi.<br/>Paigaldamine ei saa jätkuda. <a href="#details">Detailid...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. See arvuti ei rahulda mõnda %1 paigaldamiseks soovitatud tingimust.<br/>Paigaldamine võib jätkuda, ent mõned funktsioonid võivad olla keelatud. - + This program will ask you some questions and set up %2 on your computer. See programm küsib sult mõned küsimused ja seadistab %2 sinu arvutisse. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Tere tulemast Calamares'i paigaldajasse %1 jaoks.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Tere tulemast %1 paigaldajasse.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ Paigaldaja sulgub ning kõik muutused kaovad. FillGlobalStorageJob - + Set partition information Sea partitsiooni teave - + Install %1 on <strong>new</strong> %2 system partition. Paigalda %1 <strong>uude</strong> %2 süsteemipartitsiooni. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Seadista <strong>uus</strong> %2 partitsioon monteerimiskohaga <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Paigalda %2 %3 süsteemipartitsioonile <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Seadista %3 partitsioon <strong>%1</strong> monteerimiskohaga <strong>%2</strong> - + Install boot loader on <strong>%1</strong>. Paigalda käivituslaadur kohta <strong>%1</strong>. - + Setting up mount points. Seadistan monteerimispunkte. @@ -1270,32 +1275,32 @@ Paigaldaja sulgub ning kõik muutused kaovad. &Taaskäivita nüüd - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Kõik on valmis.</h1><br/>%1 on paigaldatud sinu arvutisse.<br/>Sa võid nüüd taaskäivitada oma uude süsteemi või jätkata %2 live-keskkonna kasutamist. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Paigaldamine ebaõnnestus</h1><br/>%1 ei paigaldatud sinu arvutisse.<br/>Veateade oli: %2. @@ -1303,27 +1308,27 @@ Paigaldaja sulgub ning kõik muutused kaovad. FinishedViewStep - + Finish Valmis - + Setup Complete Seadistus valmis - + Installation Complete Paigaldus valmis - + The setup of %1 is complete. - + The installation of %1 is complete. %1 paigaldus on valmis. @@ -1354,72 +1359,72 @@ Paigaldaja sulgub ning kõik muutused kaovad. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source on ühendatud vooluallikasse - + The system is not plugged in to a power source. Süsteem pole ühendatud vooluallikasse. - + is connected to the Internet on ühendatud Internetti - + The system is not connected to the Internet. Süsteem pole ühendatud Internetti. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Paigaldaja pole käivitatud administraatoriõigustega. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Ekraan on paigaldaja kuvamiseks liiga väike. @@ -1767,6 +1772,16 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Paigaldaja sulgub ning kõik muutused kaovad. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Paigaldaja sulgub ning kõik muutused kaovad. Partitsioonid - + Install %1 <strong>alongside</strong> another operating system. Paigalda %1 praeguse operatsioonisüsteemi <strong>kõrvale</strong> - + <strong>Erase</strong> disk and install %1. <strong>Tühjenda</strong> ketas ja paigalda %1. - + <strong>Replace</strong> a partition with %1. <strong>Asenda</strong> partitsioon operatsioonisüsteemiga %1. - + <strong>Manual</strong> partitioning. <strong>Käsitsi</strong> partitsioneerimine. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Paigalda %1 teise operatsioonisüsteemi <strong>kõrvale</strong> kettal <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Tühjenda</strong> ketas <strong>%2</strong> (%3) ja paigalda %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Asenda</strong> partitsioon kettal <strong>%2</strong> (%3) operatsioonisüsteemiga %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Käsitsi</strong> partitsioneerimine kettal <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Ketas <strong>%1</strong> (%2). - + Current: Hetkel: - + After: Pärast: - + No EFI system partition configured EFI süsteemipartitsiooni pole seadistatud - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI süsteemipartitsiooni silt pole määratud - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Käivituspartitsioon pole krüptitud - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Eraldi käivituspartitsioon seadistati koos krüptitud juurpartitsiooniga, aga käivituspartitsioon ise ei ole krüptitud.<br/><br/>Selle seadistusega kaasnevad turvaprobleemid, sest tähtsad süsteemifailid hoitakse krüptimata partitsioonil.<br/>Sa võid soovi korral jätkata, aga failisüsteemi lukust lahti tegemine toimub hiljem süsteemi käivitusel.<br/>Et krüpteerida käivituspartisiooni, mine tagasi ja taasloo see, valides <strong>Krüpteeri</strong> partitsiooni loomise aknas. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,14 +2686,14 @@ Paigaldaja sulgub ning kõik muutused kaovad. ProcessResult - + There was no output from the command. Käsul polnud väljundit. - + Output: @@ -2674,52 +2702,52 @@ Väljund: - + External command crashed. Väline käsk jooksis kokku. - + Command <i>%1</i> crashed. Käsk <i>%1</i> jooksis kokku. - + External command failed to start. Välise käsu käivitamine ebaõnnestus. - + Command <i>%1</i> failed to start. Käsu <i>%1</i> käivitamine ebaõnnestus. - + Internal error when starting command. Käsu käivitamisel esines sisemine viga. - + Bad parameters for process job call. Protsessi töö kutsel olid halvad parameetrid. - + External command failed to finish. Väline käsk ei suutnud lõpetada. - + Command <i>%1</i> failed to finish in %2 seconds. Käsk <i>%1</i> ei suutnud lõpetada %2 sekundi jooksul. - + External command finished with errors. Väline käsk lõpetas vigadega. - + Command <i>%1</i> finished with exit code %2. Käsk <i>%1</i> lõpetas sulgemiskoodiga %2. @@ -2727,32 +2755,27 @@ Väljund: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown tundmatu - + extended laiendatud - + unformatted vormindamata - + swap swap @@ -2806,6 +2829,15 @@ Väljund: Partitsioneerimata ruum või tundmatu partitsioonitabel + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Väljund: Form - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Vali, kuhu soovid %1 paigaldada.<br/><font color="red">Hoiatus: </font>see kustutab valitud partitsioonilt kõik failid. - + The selected item does not appear to be a valid partition. Valitud üksus ei paista olevat sobiv partitsioon. - + %1 cannot be installed on empty space. Please select an existing partition. %1 ei saa paigldada tühjale kohale. Palun vali olemasolev partitsioon. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 ei saa paigaldada laiendatud partitsioonile. Palun vali olemasolev põhiline või loogiline partitsioon. - + %1 cannot be installed on this partition. %1 ei saa sellele partitsioonile paigaldada. - + Data partition (%1) Andmepartitsioon (%1) - + Unknown system partition (%1) Tundmatu süsteemipartitsioon (%1) - + %1 system partition (%2) %1 süsteemipartitsioon (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partitsioon %1 on liiga väike %2 jaoks. Palun vali partitsioon suurusega vähemalt %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Sellest süsteemist ei leitud EFI süsteemipartitsiooni. Palun mine tagasi ja kasuta käsitsi partitsioneerimist, et seadistada %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 paigaldatakse partitsioonile %2.<br/><font color="red">Hoiatus: </font>kõik andmed partitsioonil %2 kaovad. - + The EFI system partition at %1 will be used for starting %2. EFI süsteemipartitsioon asukohas %1 kasutatakse %2 käivitamiseks. - + EFI system partition: EFI süsteemipartitsioon: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Väljund: ResultsListDialog - + For best results, please ensure that this computer: Parimate tulemuste jaoks palun veendu, et see arvuti: - + System requirements Süsteeminõudmised @@ -3043,27 +3090,27 @@ Väljund: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> See arvuti ei rahulda %1 paigldamiseks vajalikke minimaaltingimusi.<br/>Paigaldamine ei saa jätkuda. <a href="#details">Detailid...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. See arvuti ei rahulda mõnda %1 paigaldamiseks soovitatud tingimust.<br/>Paigaldamine võib jätkuda, ent mõned funktsioonid võivad olla keelatud. - + This program will ask you some questions and set up %2 on your computer. See programm küsib sult mõned küsimused ja seadistab %2 sinu arvutisse. @@ -3346,51 +3393,80 @@ Väljund: TrackingInstallJob - + Installation feedback Paigalduse tagasiside - + Sending installation feedback. Saadan paigalduse tagasisidet. - + Internal error in install-tracking. Paigaldate jälitamisel esines sisemine viga. - + HTTP request timed out. HTTP taotlusel esines ajalõpp. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Seadme tagasiside - + Configuring machine feedback. Seadistan seadme tagasisidet. - - + + Error in machine feedback configuration. Masina tagasiside konfiguratsioonis esines viga. - + Could not configure machine feedback correctly, script error %1. Masina tagasisidet ei suudetud korralikult konfigureerida, skripti viga %1. - + Could not configure machine feedback correctly, Calamares error %1. Masina tagasisidet ei suudetud korralikult konfigureerida, Calamares'e viga %1. @@ -3409,8 +3485,8 @@ Väljund: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Seda valides <span style=" font-weight:600;">ei saada sa üldse</span> teavet oma paigalduse kohta.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3418,30 +3494,30 @@ Väljund: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klõpsa siia, et saada rohkem teavet kasutaja tagasiside kohta</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Paigalduse jälitamine aitab %1-l näha, mitu kasutajat neil on, mis riistvarale nad %1 paigaldavad ja (märkides kaks alumist valikut) saada pidevat teavet eelistatud rakenduste kohta. Et näha, mis infot saadetakse, palun klõpsa abiikooni iga ala kõrval. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Seda valides saadad sa teavet oma paigalduse ja riistvara kohta. See teave <b>saadetakse ainult korra</b>peale paigalduse lõppu. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Seda valides saadad sa %1-le <b>perioodiliselt</b> infot oma paigalduse, riistvara ja rakenduste kohta. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Seda valides saadad sa %1-le <b>regulaarselt</b> infot oma paigalduse, riistvara, rakenduste ja kasutusharjumuste kohta. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Tagasiside @@ -3627,42 +3703,42 @@ Väljund: &Väljalaskemärkmed - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Tere tulemast Calamares'i paigaldajasse %1 jaoks.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Tere tulemast %1 paigaldajasse.</h1> - + %1 support %1 tugi - + About %1 setup - + About %1 installer Teave %1 paigaldaja kohta - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3670,7 +3746,7 @@ Väljund: WelcomeQmlViewStep - + Welcome Tervist @@ -3678,7 +3754,7 @@ Väljund: WelcomeViewStep - + Welcome Tervist @@ -3707,6 +3783,26 @@ Väljund: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3752,6 +3848,24 @@ Väljund: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3803,27 +3917,27 @@ Väljund: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_eu.ts b/lang/calamares_eu.ts index a2d04b649..ea7e41226 100644 --- a/lang/calamares_eu.ts +++ b/lang/calamares_eu.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instalatu @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Egina @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 %1 %2 komandoa exekutatzen @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 eragiketa burutzen. - + Bad working directory path Direktorio ibilbide ezegokia - + Working directory %1 for python job %2 is not readable. %1 lanerako direktorioa %2 python lanak ezin du irakurri. - + Bad main script file Script fitxategi nagusi okerra - + Main script file %1 for python job %2 is not readable. %1 script fitxategi nagusia ezin da irakurri python %2 lanerako - + Boost.Python error in job "%1". Boost.Python errorea "%1" lanean. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Bai - + &No &Ez @@ -314,108 +319,108 @@ <br/> Ondorengo moduluak ezin izan dira kargatu: - + Continue with setup? Ezarpenarekin jarraitu? - + Continue with installation? Instalazioarekin jarraitu? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 instalatzailea zure diskoan aldaketak egitera doa %2 instalatzeko.<br/><strong>Ezingo dituzu desegin aldaketa hauek.</strong> - + &Set up now - + &Install now &Instalatu orain - + Go &back &Atzera - + &Set up - + &Install &Instalatu - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Instalazioa burutu da. Itxi instalatzailea. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Instalazioa bertan behera utsi da sisteman aldaketarik gabe. - + &Next &Hurrengoa - + &Back &Atzera - + &Done E&ginda - + &Cancel &Utzi - + Cancel setup? - + Cancel installation? Bertan behera utzi instalazioa? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ziur uneko instalazio prozesua bertan behera utzi nahi duzula? @@ -425,22 +430,22 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CalamaresPython::Helper - + Unknown exception type Salbuespen-mota ezezaguna - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -457,32 +462,32 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CalamaresWindow - + Show debug information Erakutsi arazte informazioa - + &Back &Atzera - + &Next &Hurrengoa - + &Cancel &Utzi - + %1 Setup Program - + %1 Installer %1 Instalatzailea @@ -679,18 +684,18 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. CommandList - - + + Could not run command. Ezin izan da komandoa exekutatu. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Komandoa exekutatzen da ostalariaren inguruan eta erro bidea jakin behar da baina erroaren muntaketa punturik ez da zehaztu. - + The command needs to know the user's name, but no username is defined. Komandoak erabiltzailearen izena jakin behar du baina ez da zehaztu erabiltzaile-izenik. @@ -743,49 +748,49 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Konputagailu honek ez dauzka gutxieneko eskakizunak %1 instalatzeko. <br/>Instalazioak ezin du jarraitu. <a href="#details">Xehetasunak...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Konputagailu honek ez du betetzen gomendatutako zenbait eskakizun %1 instalatzeko. <br/>Instalazioak jarraitu ahal du, baina zenbait ezaugarri desgaituko dira. - + This program will ask you some questions and set up %2 on your computer. Konputagailuan %2 ezartzeko programa honek hainbat galdera egingo dizkizu. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Ongi etorri %1 instalatzailera.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. FillGlobalStorageJob - + Set partition information Ezarri partizioaren informazioa - + Install %1 on <strong>new</strong> %2 system partition. Instalatu %1 sistemako %2 partizio <strong>berrian</strong>. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Ezarri %2 partizio <strong>berria</strong> <strong>%1</strong> muntatze puntuarekin. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Ezarri %3 partizioa <strong>%1</strong> <strong>%2</strong> muntatze puntuarekin. - + Install boot loader on <strong>%1</strong>. Instalatu abio kargatzailea <strong>%1</strong>-(e)n. - + Setting up mount points. Muntatze puntuak ezartzen. @@ -1270,32 +1275,32 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. &Berrabiarazi orain - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1303,27 +1308,27 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. FinishedViewStep - + Finish Bukatu - + Setup Complete - + Installation Complete Instalazioa amaitua - + The setup of %1 is complete. - + The installation of %1 is complete. %1 instalazioa amaitu da. @@ -1354,72 +1359,72 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. Sistema ez dago indar iturri batetara konektatuta. - + is connected to the Internet Internetera konektatuta dago - + The system is not connected to the Internet. Sistema ez dago Internetera konektatuta. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Instalatzailea ez dabil exekutatzen administrari eskubideekin. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Pantaila txikiegia da instalatzailea erakusteko. @@ -1767,6 +1772,16 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. Partizioak - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: Unekoa: - + After: Ondoren: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,13 +2686,13 @@ Instalatzailea irten egingo da eta aldaketa guztiak galduko dira. ProcessResult - + There was no output from the command. - + Output: @@ -2673,52 +2701,52 @@ Irteera: - + External command crashed. Kanpo-komandoak huts egin du. - + Command <i>%1</i> crashed. <i>%1</i> komandoak huts egin du. - + External command failed to start. Ezin izan da %1 kanpo-komandoa abiarazi. - + Command <i>%1</i> failed to start. Ezin izan da <i>%1</i> komandoa abiarazi. - + Internal error when starting command. Barne-akatsa komandoa abiarazterakoan. - + Bad parameters for process job call. - + External command failed to finish. Kanpo-komandoa ez da bukatu. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. Kanpo-komandoak akatsekin bukatu da. - + Command <i>%1</i> finished with exit code %2. @@ -2726,32 +2754,27 @@ Irteera: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown Ezezaguna - + extended Hedatua - + unformatted Formatugabea - + swap swap @@ -2805,6 +2828,15 @@ Irteera: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2840,73 +2872,88 @@ Irteera: Formulario - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. %1eko EFI partizio sistema erabiliko da abiarazteko %2. - + EFI system partition: EFI sistema-partizioa: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3029,12 +3076,12 @@ Irteera: ResultsListDialog - + For best results, please ensure that this computer: Emaitza egokienak lortzeko, ziurtatu ordenagailu honek baduela: - + System requirements Sistemaren betebeharrak @@ -3042,27 +3089,27 @@ Irteera: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Konputagailu honek ez dauzka gutxieneko eskakizunak %1 instalatzeko. <br/>Instalazioak ezin du jarraitu. <a href="#details">Xehetasunak...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Konputagailu honek ez du betetzen gomendatutako zenbait eskakizun %1 instalatzeko. <br/>Instalazioak jarraitu ahal du, baina zenbait ezaugarri desgaituko dira. - + This program will ask you some questions and set up %2 on your computer. Konputagailuan %2 ezartzeko programa honek hainbat galdera egingo dizkizu. @@ -3345,51 +3392,80 @@ Irteera: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3408,7 +3484,7 @@ Irteera: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3417,30 +3493,30 @@ Irteera: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback Feedback @@ -3626,42 +3702,42 @@ Irteera: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Ongi etorri %1 instalatzailera.</h1> - + %1 support %1 euskarria - + About %1 setup - + About %1 installer %1 instalatzaileari buruz - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3669,7 +3745,7 @@ Irteera: WelcomeQmlViewStep - + Welcome Ongi etorri @@ -3677,7 +3753,7 @@ Irteera: WelcomeViewStep - + Welcome Ongi etorri @@ -3706,6 +3782,26 @@ Irteera: Atzera + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Atzera + + keyboardq @@ -3751,6 +3847,24 @@ Irteera: Frogatu zure teklatua + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3802,27 +3916,27 @@ Irteera: - + About Honi buruz - + Support - + Known issues - + Release notes - + Donate Egin dohaintza diff --git a/lang/calamares_fa.ts b/lang/calamares_fa.ts index 00b82036f..06f58e00a 100644 --- a/lang/calamares_fa.ts +++ b/lang/calamares_fa.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up راه‌اندازی - + Install نصب @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) کار شکست خورد. (%1) - + Programmed job failure was explicitly requested. عدم موفقیت کار برنامه ریزی شده به صورت صریح درخواست شد @@ -143,7 +143,7 @@ Calamares::JobThread - + Done انجام شد. @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) کار نمونه (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. دستور '%1' را در سیستم هدف اجرا کنید - + Run command '%1'. دستور '%1' را اجرا کنید - + Running command %1 %2 اجرای دستور %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. اجرا عملیات %1 - + Bad working directory path مسیر شاخهٔ جاری بد - + Working directory %1 for python job %2 is not readable. شاخهٔ کاری %1 برای کار پایتونی %2 خواندنی نیست - + Bad main script file پروندهٔ کدنوشتهٔ اصلی بد - + Main script file %1 for python job %2 is not readable. پروندهٔ کدنویسهٔ اصلی %1 برای کار پایتونی %2 قابل خواندن نیست. - + Boost.Python error in job "%1". خطای Boost.Python در کار %1. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). منتظر ماندن برای n% ماژول @@ -236,7 +241,7 @@ - + (%n second(s)) (%n ثانیه) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. چک کردن نیازمندی‌های سیستم تمام شد. @@ -273,13 +278,13 @@ - + &Yes &بله - + &No &خیر @@ -314,109 +319,109 @@ <br/>این ماژول نمی‌تواند بالا بیاید: - + Continue with setup? ادامهٔ برپایی؟ - + Continue with installation? نصب ادامه یابد؟ - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> برنامه نصب %1 در شرف ایجاد تغییرات در دیسک شما به منظور راه‌اندازی %2 است. <br/><strong>شما قادر نخواهید بود تا این تغییرات را برگردانید.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> نصب‌کنندهٔ %1 می‌خواهد برای نصب %2 تغییراتی در دیسکتان بدهد. <br/><strong>نخواهید توانست این تغییرات را برگردانید.</strong> - + &Set up now &همین حالا راه‌انداری کنید - + &Install now &اکنون نصب شود - + Go &back &بازگشت - + &Set up &راه‌اندازی - + &Install &نصب - + Setup is complete. Close the setup program. نصب انجام شد. برنامه نصب را ببندید. - + The installation is complete. Close the installer. نصب انجام شد. نصاب را ببندید. - + Cancel setup without changing the system. لغو راه‌اندازی بدون تغییر سیستم. - + Cancel installation without changing the system. لغو نصب بدون تغییر کردن سیستم. - + &Next &بعدی - + &Back &پیشین - + &Done &انجام شد - + &Cancel &لغو - + Cancel setup? لغو راه‌اندازی؟ - + Cancel installation? لغو نصب؟ - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. آیا واقعا می‌خواهید روند راه‌اندازی فعلی رو لغو کنید؟ برنامه راه اندازی ترک می شود و همه تغییرات از بین می روند. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. واقعاً می خواهید فرایند نصب فعلی را لغو کنید؟ @@ -426,22 +431,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type گونهٔ استثنای ناشناخته - + unparseable Python error خطای پایتونی غیرقابل تجزیه - + unparseable Python traceback ردیابی پایتونی غیرقابل تجزیه - + Unfetchable Python error. خطای پایتونی غیرقابل دریافت. @@ -459,32 +464,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information نمایش اطّلاعات اشکال‌زدایی - + &Back &قبلی - + &Next &بعدی - + &Cancel &لغو - + %1 Setup Program %1 برنامه راه‌اندازی - + %1 Installer نصب‌کنندهٔ %1 @@ -681,18 +686,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. نمی‌توان دستور را اجرا کرد. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. دستور در محیط میزبان اجرا می‌شود و نیاز دارد مسیر ریشه را بداند، ولی هیچ نقطهٔ اتّصال ریشه‌ای تعریف نشده. - + The command needs to know the user's name, but no username is defined. دستور نیاز دارد نام کاربر را بداند، ولی هیچ نام کاربری‌ای تعریف نشده. @@ -745,49 +750,49 @@ The installer will quit and all changes will be lost. نصب شبکه‌ای. (از کار افتاده: ناتوان در گرفتن فهرست بسته‌ها. اتّصال شبکه‌تان را بررسی کنید) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی نمی‌تواند ادامه یابد. <a href="#details">جزییات…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب نمی‌تواند ادامه یابد. <a href="#details">جزییات…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - + This program will ask you some questions and set up %2 on your computer. این برنامه تعدادی سوال از شما پرسیده و %2 را روی رایانه‌تان برپا می‌کند. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>به برنامهٔ برپاسازی کالامارس برای %1 خوش آمدید.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>به برپاسازی %1 خوش آمدید.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>به نصب‌کنندهٔ کالامارس برای %1 خوش آمدید.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>به نصب‌کنندهٔ %1 خوش آمدید.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information تنظیم اطّلاعات افراز - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. برپایی نقطه‌های اتّصال @@ -1272,32 +1277,32 @@ The installer will quit and all changes will be lost. &راه‌اندازی دوباره - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>همه‌چیز انجام شد.</h1><br/>%1 روی رایانه‌تان نصب شد.<br/>ممکن است بخواهید به سامانهٔ جدیدتان وارد شده تا به استفاده از محیط زندهٔ %2 ادامه دهید. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1305,27 +1310,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish پایان - + Setup Complete برپایی کامل شد - + Installation Complete نصب کامل شد - + The setup of %1 is complete. برپایی %1 کامل شد. - + The installation of %1 is complete. نصب %1 کامل شد. @@ -1356,72 +1361,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source به برق وصل است. - + The system is not plugged in to a power source. سامانه به برق وصل نیست. - + is connected to the Internet به اینترنت وصل است - + The system is not connected to the Internet. سامانه به اینترنت وصل نیست. - + is running the installer as an administrator (root) دارد نصب‌کننده را به عنوان یک مدیر (ریشه) اجرا می‌کند - + The setup program is not running with administrator rights. برنامهٔ برپایی با دسترسی‌های مدیر اجرا نشده‌است. - + The installer is not running with administrator rights. برنامهٔ نصب کننده با دسترسی‌های مدیر اجرا نشده‌است. - + has a screen large enough to show the whole installer صفحه‌ای با بزرگی کافی برای نمایش تمام نصب‌کننده دارد - + The screen is too small to display the setup program. صفحه برای نمایش برنامهٔ برپایی خیلی کوچک است. - + The screen is too small to display the installer. صفحه برای نمایش نصب‌کننده خیلی کوچک است. @@ -1769,6 +1774,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ The installer will quit and all changes will be lost. افرازها - + Install %1 <strong>alongside</strong> another operating system. نصب %1 <strong>در امتداد</strong> سیستم عامل دیگر. - + <strong>Erase</strong> disk and install %1. <strong>پاک کردن</strong> دیسک و نصب %1. - + <strong>Replace</strong> a partition with %1. <strong>جایگزینی</strong> یک پارتیشن و با %1 - + <strong>Manual</strong> partitioning. <strong>پارتیشن‌بندی</strong> دستی. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) دیسک <strong>%1</strong> (%2) - + Current: فعلی: - + After: بعد از: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted پارتیشن بوت رمزشده نیست - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. هیچ پارتیشنی برای نصب وجود ندارد @@ -2660,65 +2688,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: خروجی - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2726,32 +2754,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown ناشناخته - + extended گسترده - + unformatted قالب‌بندی نشده - + swap مبادله @@ -2805,6 +2828,15 @@ Output: فضای افرازنشده یا جدول افراز ناشناخته + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2840,73 +2872,88 @@ Output: فرم - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. پارتیشن سیستم ای.اف.آی در %1 برای شروع %2 استفاده خواهد شد. - + EFI system partition: پارتیشن سیستم ای.اف.آی + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3029,12 +3076,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements نیازمندی‌های سامانه @@ -3042,27 +3089,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی نمی‌تواند ادامه یابد. <a href="#details">جزییات…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب نمی‌تواند ادامه یابد. <a href="#details">جزییات…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. رایانه کمینهٔ نیازمندی‌های برپاسازی %1 را ندارد.<br/>برپاسازی می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. رایانه کمینهٔ نیازمندی‌های نصب %1 را ندارد.<br/>نصب می‌تواند ادامه یابد، ولی ممکن است برخی ویژگی‌ها از کار افتاده باشند. - + This program will ask you some questions and set up %2 on your computer. این برنامه تعدادی سوال از شما پرسیده و %2 را روی رایانه‌تان برپا می‌کند. @@ -3345,51 +3392,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3408,7 +3484,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3417,30 +3493,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback بازخورد @@ -3626,42 +3702,42 @@ Output: &یادداشت‌های انتشار - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>به برنامهٔ برپاسازی کالامارس برای %1 خوش آمدید.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>به برپاسازی %1 خوش آمدید.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>به نصب‌کنندهٔ کالامارس برای %1 خوش آمدید.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>به نصب‌کنندهٔ %1 خوش آمدید.</h1> - + %1 support پشتیبانی %1 - + About %1 setup دربارهٔ برپاسازی %1 - + About %1 installer دربارهٔ نصب‌کنندهٔ %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3669,7 +3745,7 @@ Output: WelcomeQmlViewStep - + Welcome خوش آمدید @@ -3677,7 +3753,7 @@ Output: WelcomeViewStep - + Welcome خوش آمدید @@ -3706,6 +3782,26 @@ Output: بازگشت + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + بازگشت + + keyboardq @@ -3751,6 +3847,24 @@ Output: صفحه‌کلیدتان را بیازمایید + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3802,27 +3916,27 @@ Output: - + About درباره - + Support پشتیبانی - + Known issues اشکالات شناخته‌شده - + Release notes یادداشت‌های انتشار - + Donate اعانه diff --git a/lang/calamares_fi_FI.ts b/lang/calamares_fi_FI.ts index c645149fb..e3e1baf4a 100644 --- a/lang/calamares_fi_FI.ts +++ b/lang/calamares_fi_FI.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Määritä - + Install Asenna @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Työ epäonnistui (%1) - + Programmed job failure was explicitly requested. Ohjelmoitua työn epäonnistumista pyydettiin erikseen. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Valmis @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Esimerkki työ (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Suorita komento '%1' kohdejärjestelmässä. - + Run command '%1'. Suorita komento '%1'. - + Running command %1 %2 Suoritetaan komentoa %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Suoritetaan %1 toimenpidettä. - + Bad working directory path Epäkelpo työskentelyhakemiston polku - + Working directory %1 for python job %2 is not readable. Työkansio %1 pythonin työlle %2 ei ole luettavissa. - + Bad main script file Huono pää-skripti tiedosto - + Main script file %1 for python job %2 is not readable. Pääskriptitiedosto %1 pythonin työlle %2 ei ole luettavissa. - + Boost.Python error in job "%1". Boost.Python virhe työlle "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Moduulin vaatimusten tarkistaminen <i>%1</i> on valmis. + - + Waiting for %n module(s). Odotetaan %n moduuli(t). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n sekunttia(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Järjestelmävaatimusten tarkistus on valmis. @@ -273,13 +278,13 @@ - + &Yes &Kyllä - + &No &Ei @@ -314,109 +319,109 @@ <br/>Seuraavia moduuleja ei voitu ladata: - + Continue with setup? Jatka asennusta? - + Continue with installation? Jatka asennusta? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 asennusohjelma on aikeissa tehdä muutoksia levylle, jotta voit määrittää kohteen %2.<br/><strong>Et voi kumota näitä muutoksia.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Asennus ohjelman %1 on tehtävä muutoksia levylle, jotta %2 voidaan asentaa.<br/><strong>Et voi kumota näitä muutoksia.</strong> - + &Set up now &Määritä nyt - + &Install now &Asenna nyt - + Go &back Mene &takaisin - + &Set up &Määritä - + &Install &Asenna - + Setup is complete. Close the setup program. Asennus on valmis. Sulje asennusohjelma. - + The installation is complete. Close the installer. Asennus on valmis. Sulje asennusohjelma. - + Cancel setup without changing the system. Peruuta asennus muuttamatta järjestelmää. - + Cancel installation without changing the system. Peruuta asennus tekemättä muutoksia järjestelmään. - + &Next &Seuraava - + &Back &Takaisin - + &Done &Valmis - + &Cancel &Peruuta - + Cancel setup? Peruuta asennus? - + Cancel installation? Peruuta asennus? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Haluatko todella peruuttaa nykyisen asennuksen? Asennusohjelma lopetetaan ja kaikki muutokset menetetään. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Oletko varma että haluat peruuttaa käynnissä olevan asennusprosessin? @@ -426,22 +431,22 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. CalamaresPython::Helper - + Unknown exception type Tuntematon poikkeustyyppi - + unparseable Python error jäsentämätön Python virhe - + unparseable Python traceback jäsentämätön Python jäljitys - + Unfetchable Python error. Python virhettä ei voitu hakea. @@ -459,32 +464,32 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. CalamaresWindow - + Show debug information Näytä virheenkorjaustiedot - + &Back &Takaisin - + &Next &Seuraava - + &Cancel &Peruuta - + %1 Setup Program %1 Asennusohjelma - + %1 Installer %1 Asennusohjelma @@ -681,18 +686,18 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. CommandList - - + + Could not run command. Komentoa ei voi suorittaa. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Komento toimii isäntäympäristössä ja sen täytyy tietää juuren polku, mutta root-liityntä kohtaa ei ole määritetty. - + The command needs to know the user's name, but no username is defined. Komennon on tiedettävä käyttäjän nimi, mutta käyttäjän tunnusta ei ole määritetty. @@ -745,50 +750,50 @@ Asennusohjelma sulkeutuu ja kaikki muutoksesi katoavat. Verkkoasennus. (Ei käytössä: Pakettiluetteloita ei voi hakea, tarkista verkkoyhteys) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Tämä tietokone ei täytä vähimmäisvaatimuksia, %1.<br/>Asennusta ei voi jatkaa. <a href="#details">Yksityiskohdat...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Tämä tietokone ei täytä asennuksen vähimmäisvaatimuksia, %1.<br/>Asennus ei voi jatkua. <a href="#details">Yksityiskohdat...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/>Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1. Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - + This program will ask you some questions and set up %2 on your computer. Tämä ohjelma kysyy joitakin kysymyksiä %2 ja asentaa tietokoneeseen. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Tervetuloa Calamares -asennusohjelmaan %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Tervetuloa Calamares -asennusohjelmaan %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Tervetuloa %1 asennukseen.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Tervetuloa %1 asennukseen</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Tervetuloa Calamares -asennusohjelmaan %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Tervetuloa Calamares -asennusohjelmaan %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Tervetuloa %1 -asennusohjelmaan.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Tervetuloa %1 -asennusohjelmaan</h1> @@ -1225,37 +1230,37 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. FillGlobalStorageJob - + Set partition information Aseta osion tiedot - + Install %1 on <strong>new</strong> %2 system partition. Asenna %1 <strong>uusi</strong> %2 järjestelmä osio. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Määritä <strong>uusi</strong> %2 -osio liitepisteellä<strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Asenna %2 - %3 -järjestelmän osioon <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Määritä %3 osio <strong>%1</strong> jossa on liitäntäpiste <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Asenna käynnistyslatain <strong>%1</strong>. - + Setting up mount points. Liitosten määrittäminen. @@ -1273,32 +1278,32 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.&Käynnistä uudelleen - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Valmista.</h1><br/>%1 on määritetty tietokoneellesi.<br/>Voit nyt alkaa käyttää uutta järjestelmääsi. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Kun tämä valintaruutu on valittu, järjestelmä käynnistyy heti, kun napsautat <span style="font-style:italic;">Valmis</span> -painiketta tai suljet asennusohjelman.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Kaikki tehty.</h1><br/>%1 on asennettu tietokoneellesi.<br/>Voit joko uudelleenkäynnistää uuteen kokoonpanoosi, tai voit jatkaa %2 live-ympäristön käyttöä. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Kun tämä valintaruutu on valittuna, järjestelmä käynnistyy heti, kun napsautat <span style="font-style:italic;">Valmis</span> tai suljet asentimen.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Asennus epäonnistui</h1><br/>%1 ei ole määritetty tietokoneellesi.<br/> Virhesanoma oli: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Asennus epäonnistui </h1><br/>%1 ei ole asennettu tietokoneeseesi.<br/>Virhesanoma oli: %2. @@ -1306,27 +1311,27 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. FinishedViewStep - + Finish Valmis - + Setup Complete Asennus valmis - + Installation Complete Asennus valmis - + The setup of %1 is complete. Asennus %1 on valmis. - + The installation of %1 is complete. Asennus %1 on valmis. @@ -1357,72 +1362,72 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. GeneralRequirements - + has at least %1 GiB available drive space vähintään %1 GiB vapaata levytilaa - + There is not enough drive space. At least %1 GiB is required. Levytilaa ei ole riittävästi. Vähintään %1 GiB tarvitaan. - + has at least %1 GiB working memory vähintään %1 GiB työmuistia - + The system does not have enough working memory. At least %1 GiB is required. Järjestelmässä ei ole tarpeeksi työmuistia. Vähintään %1 GiB vaaditaan. - + is plugged in to a power source on yhdistetty virtalähteeseen - + The system is not plugged in to a power source. Järjestelmä ei ole kytketty virtalähteeseen. - + is connected to the Internet on yhdistetty internetiin - + The system is not connected to the Internet. Järjestelmä ei ole yhteydessä internetiin. - + is running the installer as an administrator (root) ajaa asennusohjelmaa järjestelmänvalvojana (root) - + The setup program is not running with administrator rights. Asennus -ohjelma ei ole käynnissä järjestelmänvalvojan oikeuksin. - + The installer is not running with administrator rights. Asennus -ohjelma ei ole käynnissä järjestelmänvalvojan oikeuksin. - + has a screen large enough to show the whole installer näytöllä on riittävän suuri tarkkuus asentajalle - + The screen is too small to display the setup program. Näyttö on liian pieni, jotta asennus -ohjelma voidaan näyttää. - + The screen is too small to display the installer. Näyttö on liian pieni asentajan näyttämiseksi. @@ -1770,6 +1775,16 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Koneen tunnukselle ei ole asetettu root kiinnityskohtaa. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1908,6 +1923,19 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Aseta OEM valmistajan erän tunnus <code>%1</code>. + + Offline + + + Timezone: %1 + Aikavyöhyke: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2495,107 +2523,107 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Osiot - + Install %1 <strong>alongside</strong> another operating system. Asenna toisen käyttöjärjestelmän %1 <strong>rinnalle</strong>. - + <strong>Erase</strong> disk and install %1. <strong>Tyhjennä</strong> levy ja asenna %1. - + <strong>Replace</strong> a partition with %1. <strong>Vaihda</strong> osio jolla on %1. - + <strong>Manual</strong> partitioning. <strong>Manuaalinen</strong> osointi. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Asenna toisen käyttöjärjestelmän %1 <strong>rinnalle</strong> levylle <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Tyhjennä</strong> levy <strong>%2</strong> (%3) ja asenna %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Korvaa</strong> levyn osio <strong>%2</strong> (%3) jolla on %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Manuaalinen</strong> osiointi levyllä <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Levy <strong>%1</strong> (%2) - + Current: Nykyinen: - + After: Jälkeen: - + No EFI system partition configured EFI-järjestelmäosiota ei ole määritetty - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. EFI-järjestelmän osio on välttämätön käynnistyksessä %1.<br/><br/>Jos haluat tehdä EFI-järjestelmän osion, mene takaisin ja luo FAT32-tiedostojärjestelmä, jossa<strong>%3</strong> lippu on käytössä ja liityntäkohta. <strong>%2</strong>.<br/><br/>Voit jatkaa ilman EFI-järjestelmäosiota, mutta järjestelmä ei ehkä käynnisty. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. EFI-järjestelmän osio on välttämätön käynnistyksessä %1.<br/><br/>Osio on määritetty liityntäkohdan kanssa, <strong>%2</strong> mutta sen <strong>%3</strong> lippua ei ole asetettu.<br/>Jos haluat asettaa lipun, palaa takaisin ja muokkaa osiota.<br/><br/>Voit jatkaa lippua asettamatta, mutta järjestelmä ei ehkä käynnisty. - + EFI system partition flag not set EFI-järjestelmäosion lippua ei ole asetettu - + Option to use GPT on BIOS BIOS:ssa mahdollisuus käyttää GPT:tä - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT-osiotaulukko on paras vaihtoehto kaikille järjestelmille. Tämä asennusohjelma tukee asennusta myös BIOS:n järjestelmään.<br/><br/>Jos haluat määrittää GPT-osiotaulukon BIOS:ssa (jos sitä ei ole jo tehty) palaa takaisin ja aseta osiotaulukkoksi GPT. Luo seuraavaksi 8 Mb alustamaton osio <strong>bios_grub</strong> lipulla käyttöön.<br/><br/>Alustamaton 8 Mb osio on tarpeen %1:n käynnistämiseksi BIOS-järjestelmässä GPT:llä. - + Boot partition not encrypted Käynnistysosiota ei ole salattu - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Erillinen käynnistysosio perustettiin yhdessä salatun juuriosion kanssa, mutta käynnistysosio ei ole salattu.<br/><br/>Tällaisissa asetuksissa on tietoturvaongelmia, koska tärkeät järjestelmätiedostot pidetään salaamattomassa osiossa.<br/>Voit jatkaa, jos haluat, mutta tiedostojärjestelmän lukituksen avaaminen tapahtuu myöhemmin järjestelmän käynnistyksen aikana.<br/>Käynnistysosion salaamiseksi siirry takaisin ja luo se uudelleen valitsemalla <strong>Salaa</strong> osion luominen -ikkunassa. - + has at least one disk device available. on vähintään yksi levy käytettävissä. - + There are no partitions to install on. Asennettavia osioita ei ole. @@ -2661,14 +2689,14 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. ProcessResult - + There was no output from the command. Komentoa ei voitu ajaa. - + Output: @@ -2677,52 +2705,52 @@ Ulostulo: - + External command crashed. Ulkoinen komento kaatui. - + Command <i>%1</i> crashed. Komento <i>%1</i> kaatui. - + External command failed to start. Ulkoisen komennon käynnistäminen epäonnistui. - + Command <i>%1</i> failed to start. Komennon <i>%1</i> käynnistäminen epäonnistui. - + Internal error when starting command. Sisäinen virhe käynnistettäessä komentoa. - + Bad parameters for process job call. Huonot parametrit prosessin kutsuun. - + External command failed to finish. Ulkoinen komento ei onnistunut. - + Command <i>%1</i> failed to finish in %2 seconds. Komento <i>%1</i> epäonnistui %2 sekunnissa. - + External command finished with errors. Ulkoinen komento päättyi virheisiin. - + Command <i>%1</i> finished with exit code %2. Komento <i>%1</i> päättyi koodiin %2. @@ -2730,32 +2758,27 @@ Ulostulo: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Moduulin vaatimusten tarkistaminen <i>%1</i> on valmis. - - - + unknown tuntematon - + extended laajennettu - + unformatted formatoimaton - + swap swap @@ -2809,6 +2832,16 @@ Ulostulo: Osioimaton tila tai tuntematon osion taulu + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/> +Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</p> + + RemoveUserJob @@ -2844,73 +2877,90 @@ Ulostulo: Lomake - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Valitse minne %1 asennetaan.<br/><font color="red">Varoitus: </font>tämä poistaa kaikki tiedostot valitulta osiolta. - + The selected item does not appear to be a valid partition. Valitsemaasi kohta ei näytä olevan kelvollinen osio. - + %1 cannot be installed on empty space. Please select an existing partition. %1 ei voi asentaa tyhjään tilaan. Valitse olemassa oleva osio. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 ei voida asentaa jatketun osion. Valitse olemassa oleva ensisijainen tai looginen osio. - + %1 cannot be installed on this partition. %1 ei voida asentaa tähän osioon. - + Data partition (%1) Data osio (%1) - + Unknown system partition (%1) Tuntematon järjestelmä osio (%1) - + %1 system partition (%2) %1 järjestelmäosio (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Osio %1 on liian pieni %2. Valitse osio, jonka kapasiteetti on vähintään %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI-järjestelmäosiota ei löydy mistään tässä järjestelmässä. Palaa takaisin ja käytä manuaalista osiointia määrittämällä %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 asennetaan %2.<br/><font color="red">Varoitus: </font>kaikki osion %2 tiedot katoavat. - + The EFI system partition at %1 will be used for starting %2. EFI-järjestelmän osiota %1 käytetään käynnistettäessä %2. - + EFI system partition: EFI järjestelmäosio + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Tämä tietokone ei täytä vähittäisvaatimuksia asennukseen %1.<br/> + Asennusta ei voida jatkaa.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/> +Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.</p> + + ResizeFSJob @@ -3033,12 +3083,12 @@ Ulostulo: ResultsListDialog - + For best results, please ensure that this computer: Saadaksesi parhaan lopputuloksen, tarkista että tämä tietokone: - + System requirements Järjestelmävaatimukset @@ -3046,28 +3096,28 @@ Ulostulo: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Tämä tietokone ei täytä vähimmäisvaatimuksia, %1.<br/>Asennusta ei voi jatkaa. <a href="#details">Yksityiskohdat...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Tämä tietokone ei täytä asennuksen vähimmäisvaatimuksia, %1.<br/>Asennus ei voi jatkua. <a href="#details">Yksityiskohdat...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1.<br/>Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Tämä tietokone ei täytä joitakin suositeltuja vaatimuksia %1. Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - + This program will ask you some questions and set up %2 on your computer. Tämä ohjelma kysyy joitakin kysymyksiä %2 ja asentaa tietokoneeseen. @@ -3350,51 +3400,80 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. TrackingInstallJob - + Installation feedback Asennuksen palaute - + Sending installation feedback. Lähetetään asennuksen palautetta. - + Internal error in install-tracking. Sisäinen virhe asennuksen seurannassa. - + HTTP request timed out. HTTP -pyyntö aikakatkaistiin. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + KDE käyttäjän palaute + + + + Configuring KDE user feedback. + Määritä KDE käyttäjän palaute. + + + + + Error in KDE user feedback configuration. + Virhe KDE:n käyttäjän palautteen määrityksissä. + - + + Could not configure KDE user feedback correctly, script error %1. + KDE käyttäjän palautetta ei voitu määrittää oikein, komentosarjassa virhe %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + KDE käyttäjän palautetta ei voitu määrittää oikein, Calamares virhe %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Koneen palaute - + Configuring machine feedback. Konekohtaisen palautteen määrittäminen. - - + + Error in machine feedback configuration. Virhe koneen palautteen määrityksessä. - + Could not configure machine feedback correctly, script error %1. Konekohtaista palautetta ei voitu määrittää oikein, komentosarjan virhe %1. - + Could not configure machine feedback correctly, Calamares error %1. Koneen palautetta ei voitu määrittää oikein, Calamares-virhe %1. @@ -3413,8 +3492,8 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Valitsemalla tämän, <span style=" font-weight:600;">et lähetä mitään</span> tietoja asennuksesta.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3422,30 +3501,30 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.<html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klikkaa tästä saadaksesi lisätietoja käyttäjäpalautteesta</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Asentamalla seuranta autat %1 näkemään, kuinka monta käyttäjää heillä on, mitä laitteita he asentavat %1 ja (kahdella viimeisellä vaihtoehdolla), saat jatkuvaa tietoa suosituista sovelluksista. Jos haluat nähdä, mitä tietoa lähetetään, napsauta kunkin alueen vieressä olevaa ohjekuvaketta. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Kun valitset tämän, lähetät tietoja asennuksesta ja laitteistosta. <b>Nämä tiedot lähetetään vain kerran</b> asennuksen päättymisen jälkeen. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Kun valitset tämän, lähetät <b>määräajoin </b> tietoja asennuksesta, laitteistosta ja sovelluksista osoitteeseen %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Kun valitset tämän, lähetät <b>säännöllisesti </b> tietoja asennuksesta, laitteistosta, sovelluksista ja käyttötavoista osoitteeseen %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Palautetta @@ -3631,42 +3710,42 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.&Julkaisutiedot - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Tervetuloa Calamares -asennusohjelmaan %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Tervetuloa %1 asennukseen.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Tervetuloa Calamares -asennusohjelmaan %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Tervetuloa %1 -asennusohjelmaan.</h1> - + %1 support %1 tuki - + About %1 setup Tietoja %1 asetuksista - + About %1 installer Tietoa %1 asennusohjelmasta - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>- %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Kiitokset <a href="https://calamares.io/team/">Calamares-tiimille</a> ja <a href="https://www.transifex.com/calamares/calamares/">Calamares kääntäjille</a>.<br/><br/><a href="https://calamares.io/">Calamaresin</a> kehitystä sponsoroi <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3674,7 +3753,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. WelcomeQmlViewStep - + Welcome Tervetuloa @@ -3682,7 +3761,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. WelcomeViewStep - + Welcome Tervetuloa @@ -3722,6 +3801,26 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Takaisin + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Takaisin + + keyboardq @@ -3767,6 +3866,24 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Näppäimistön testaaminen + + localeq + + + System language set to %1 + Järjestelmän kieleksi asetettu %1 + + + + Numbers and dates locale set to %1 + Numerot ja päivämäärät asetettu arvoon %1 + + + + Change + Vaihda + + notesqml @@ -3840,27 +3957,27 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. - + About Tietoa - + Support Tuki - + Known issues Tunnetut ongelmat - + Release notes Julkaisutiedot - + Donate Lahjoita diff --git a/lang/calamares_fr.ts b/lang/calamares_fr.ts index a291e8fb1..076fe8a39 100644 --- a/lang/calamares_fr.ts +++ b/lang/calamares_fr.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Configurer - + Install Installer @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) La tâche a échoué (%1) - + Programmed job failure was explicitly requested. L'échec de la tâche programmée a été explicitement demandée. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Fait @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Tâche d'exemple (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Exécuter la commande '%1' dans le système cible. - + Run command '%1'. Exécuter la commande '%1'. - + Running command %1 %2 Exécution de la commande %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Exécution de l'opération %1. - + Bad working directory path Chemin du répertoire de travail invalide - + Working directory %1 for python job %2 is not readable. Le répertoire de travail %1 pour le job python %2 n'est pas accessible en lecture. - + Bad main script file Fichier de script principal invalide - + Main script file %1 for python job %2 is not readable. Le fichier de script principal %1 pour la tâche python %2 n'est pas accessible en lecture. - + Boost.Python error in job "%1". Erreur Boost.Python pour le job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + La vérification des prérequis pour le module <i>%1</i> est terminée. + - + Waiting for %n module(s). En attente de %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n seconde(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. La vérification des prérequis système est terminée. @@ -273,13 +278,13 @@ - + &Yes &Oui - + &No &Non @@ -314,109 +319,109 @@ Les modules suivants n'ont pas pu être chargés : - + Continue with setup? Poursuivre la configuration ? - + Continue with installation? Continuer avec l'installation ? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Le programme de configuration de %1 est sur le point de procéder aux changements sur le disque afin de configurer %2.<br/> <strong>Vous ne pourrez pas annulez ces changements.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> L'installateur %1 est sur le point de procéder aux changements sur le disque afin d'installer %2.<br/> <strong>Vous ne pourrez pas annulez ces changements.<strong> - + &Set up now &Configurer maintenant - + &Install now &Installer maintenant - + Go &back &Retour - + &Set up &Configurer - + &Install &Installer - + Setup is complete. Close the setup program. La configuration est terminée. Fermer le programme de configuration. - + The installation is complete. Close the installer. L'installation est terminée. Fermer l'installateur. - + Cancel setup without changing the system. Annuler la configuration sans toucher au système. - + Cancel installation without changing the system. Annuler l'installation sans modifier votre système. - + &Next &Suivant - + &Back &Précédent - + &Done &Terminé - + &Cancel &Annuler - + Cancel setup? Annuler la configuration ? - + Cancel installation? Abandonner l'installation ? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Voulez-vous vraiment abandonner le processus de configuration ? Le programme de configuration se fermera et les changements seront perdus. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Voulez-vous vraiment abandonner le processus d'installation ? @@ -426,22 +431,22 @@ L'installateur se fermera et les changements seront perdus. CalamaresPython::Helper - + Unknown exception type Type d'exception inconnue - + unparseable Python error Erreur Python non analysable - + unparseable Python traceback Traçage Python non exploitable - + Unfetchable Python error. Erreur Python non rapportable. @@ -459,32 +464,32 @@ L'installateur se fermera et les changements seront perdus. CalamaresWindow - + Show debug information Afficher les informations de dépannage - + &Back &Précédent - + &Next &Suivant - + &Cancel &Annuler - + %1 Setup Program Programme de configuration de %1 - + %1 Installer Installateur %1 @@ -681,18 +686,18 @@ L'installateur se fermera et les changements seront perdus. CommandList - - + + Could not run command. La commande n'a pas pu être exécutée. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. La commande est exécutée dans l'environnement hôte et a besoin de connaître le chemin racine, mais aucun point de montage racine n'est défini. - + The command needs to know the user's name, but no username is defined. La commande a besoin de connaître le nom de l'utilisateur, mais aucun nom d'utilisateur n'est défini. @@ -745,49 +750,49 @@ L'installateur se fermera et les changements seront perdus. Installation par le réseau (Désactivée : impossible de récupérer leslistes de paquets, vérifiez la connexion réseau) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Cet ordinateur ne satisfait pas les minimum prérequis pour configurer %1.<br/>La configuration ne peut pas continuer. <a href="#details">Détails...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Cet ordinateur ne satisfait pas les minimum prérequis pour installer %1.<br/>L'installation ne peut pas continuer. <a href="#details">Détails...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Cet ordinateur ne satisfait pas certains des prérequis recommandés pour configurer %1.<br/>La configuration peut continuer, mais certaines fonctionnalités pourraient être désactivées. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Cet ordinateur ne satisfait pas certains des prérequis recommandés pour installer %1.<br/>L'installation peut continuer, mais certaines fonctionnalités pourraient être désactivées. - + This program will ask you some questions and set up %2 on your computer. Ce programme va vous poser quelques questions et configurer %2 sur votre ordinateur. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Bienvenue dans le programme de configuration Calamares pour %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Bienvenue dans la configuration de %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - Bienvenue dans l'installateur Calamares pour %1. + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bienvenue dans l'installateur de %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ L'installateur se fermera et les changements seront perdus. FillGlobalStorageJob - + Set partition information Configurer les informations de la partition - + Install %1 on <strong>new</strong> %2 system partition. Installer %1 sur le <strong>nouveau</strong> système de partition %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Configurer la <strong>nouvelle</strong> partition %2 avec le point de montage <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installer %2 sur la partition système %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Configurer la partition %3 <strong>%1</strong> avec le point de montage <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installer le chargeur de démarrage sur <strong>%1</strong>. - + Setting up mount points. Configuration des points de montage. @@ -1272,32 +1277,32 @@ L'installateur se fermera et les changements seront perdus. &Redémarrer maintenant - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Configuration terminée.</h1><br/>%1 a été configuré sur votre ordinateur.<br/>Vous pouvez maintenant utiliser votre nouveau système. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>En sélectionnant cette option, votre système redémarrera immédiatement quand vous cliquerez sur <span style=" font-style:italic;">Terminé</span> ou fermerez le programme de configuration.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Installation terminée.</h1><br/>%1 a été installé sur votre ordinateur.<br/>Vous pouvez redémarrer sur le nouveau système, ou continuer d'utiliser l'environnement actuel %2 . - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>En sélectionnant cette option, votre système redémarrera immédiatement quand vous cliquerez sur <span style=" font-style:italic;">Terminé</span> ou fermerez l'installateur.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Échec de la configuration</h1><br/>%1 n'a pas été configuré sur cet ordinateur.<br/>Le message d'erreur était : %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installation échouée</h1><br/>%1 n'a pas été installée sur cet ordinateur.<br/>Le message d'erreur était : %2. @@ -1305,27 +1310,27 @@ L'installateur se fermera et les changements seront perdus. FinishedViewStep - + Finish Terminer - + Setup Complete Configuration terminée - + Installation Complete Installation terminée - + The setup of %1 is complete. La configuration de %1 est terminée. - + The installation of %1 is complete. L'installation de %1 est terminée. @@ -1356,72 +1361,72 @@ L'installateur se fermera et les changements seront perdus. GeneralRequirements - + has at least %1 GiB available drive space a au moins %1 Gio d'espace disque disponible - + There is not enough drive space. At least %1 GiB is required. Il n'y a pas assez d'espace disque. Au moins %1 Gio sont requis. - + has at least %1 GiB working memory a au moins %1 Gio de mémoire vive - + The system does not have enough working memory. At least %1 GiB is required. Le système n'a pas assez de mémoire vive. Au moins %1 Gio sont requis. - + is plugged in to a power source est relié à une source de courant - + The system is not plugged in to a power source. Le système n'est pas relié à une source de courant. - + is connected to the Internet est connecté à Internet - + The system is not connected to the Internet. Le système n'est pas connecté à Internet. - + is running the installer as an administrator (root) a démarré l'installateur en tant qu'administrateur (root) - + The setup program is not running with administrator rights. Le programme de configuration ne dispose pas des droits administrateur. - + The installer is not running with administrator rights. L'installateur ne dispose pas des droits administrateur. - + has a screen large enough to show the whole installer a un écran assez large pour afficher l'intégralité de l'installateur - + The screen is too small to display the setup program. L'écran est trop petit pour afficher le programme de configuration. - + The screen is too small to display the installer. L'écran est trop petit pour afficher l'installateur. @@ -1769,6 +1774,16 @@ L'installateur se fermera et les changements seront perdus. Aucun point de montage racine n'est défini pour MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ L'installateur se fermera et les changements seront perdus. Utiliser <code>%1</code> comme Identifiant de Lot OEM. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ L'installateur se fermera et les changements seront perdus. Partitions - + Install %1 <strong>alongside</strong> another operating system. Installer %1 <strong>à côté</strong>d'un autre système d'exploitation. - + <strong>Erase</strong> disk and install %1. <strong>Effacer</strong> le disque et installer %1. - + <strong>Replace</strong> a partition with %1. <strong>Remplacer</strong> une partition avec %1. - + <strong>Manual</strong> partitioning. Partitionnement <strong>manuel</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Installer %1 <strong>à côté</strong> d'un autre système d'exploitation sur le disque <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Effacer</strong> le disque <strong>%2</strong> (%3) et installer %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Remplacer</strong> une partition sur le disque <strong>%2</strong> (%3) avec %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Partitionnement <strong>manuel</strong> sur le disque <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disque <strong>%1</strong> (%2) - + Current: Actuel : - + After: Après : - + No EFI system partition configured Aucune partition système EFI configurée - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Drapeau de partition système EFI non configuré - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partition d'amorçage non chiffrée. - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Une partition d'amorçage distincte a été configurée avec une partition racine chiffrée, mais la partition d'amorçage n'est pas chiffrée. <br/> <br/> Il y a des problèmes de sécurité avec ce type d'installation, car des fichiers système importants sont conservés sur une partition non chiffrée <br/> Vous pouvez continuer si vous le souhaitez, mais le déverrouillage du système de fichiers se produira plus tard au démarrage du système. <br/> Pour chiffrer la partition d'amorçage, revenez en arrière et recréez-la, en sélectionnant <strong> Chiffrer </ strong> dans la partition Fenêtre de création. - + has at least one disk device available. a au moins un disque disponible. - + There are no partitions to install on. Il n'y a pas de partition pour l'installation @@ -2661,14 +2689,14 @@ Vous pouvez obtenir un aperçu des différentes apparences en cliquant sur celle ProcessResult - + There was no output from the command. Il y a eu aucune sortie de la commande - + Output: @@ -2677,52 +2705,52 @@ Sortie - + External command crashed. La commande externe s'est mal terminée. - + Command <i>%1</i> crashed. La commande <i>%1</i> s'est arrêtée inopinément. - + External command failed to start. La commande externe n'a pas pu être lancée. - + Command <i>%1</i> failed to start. La commande <i>%1</i> n'a pas pu être lancée. - + Internal error when starting command. Erreur interne au lancement de la commande - + Bad parameters for process job call. Mauvais paramètres pour l'appel au processus de job. - + External command failed to finish. La commande externe ne s'est pas terminée. - + Command <i>%1</i> failed to finish in %2 seconds. La commande <i>%1</i> ne s'est pas terminée en %2 secondes. - + External command finished with errors. La commande externe s'est terminée avec des erreurs. - + Command <i>%1</i> finished with exit code %2. La commande <i>%1</i> s'est terminée avec le code de sortie %2. @@ -2730,32 +2758,27 @@ Sortie QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - La vérification des prérequis pour le module <i>%1</i> est terminée. - - - + unknown inconnu - + extended étendu - + unformatted non formaté - + swap swap @@ -2809,6 +2832,15 @@ Sortie Espace non partitionné ou table de partitions inconnue + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2844,73 +2876,88 @@ Sortie Formulaire - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Sélectionnez ou installer %1.<br><font color="red">Attention: </font>ceci va effacer tous les fichiers sur la partition sélectionnée. - + The selected item does not appear to be a valid partition. L'objet sélectionné ne semble pas être une partition valide. - + %1 cannot be installed on empty space. Please select an existing partition. %1 ne peut pas être installé sur un espace vide. Merci de sélectionner une partition existante. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 ne peut pas être installé sur une partition étendue. Merci de sélectionner une partition primaire ou logique existante. - + %1 cannot be installed on this partition. %1 ne peut pas être installé sur cette partition. - + Data partition (%1) Partition de données (%1) - + Unknown system partition (%1) Partition système inconnue (%1) - + %1 system partition (%2) Partition système %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partition %1 est trop petite pour %2. Merci de sélectionner une partition avec au moins %3 Gio de capacité. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Une partition système EFI n'a pas pu être localisée sur ce système. Veuillez revenir en arrière et utiliser le partitionnement manuel pour configurer %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 va être installé sur %2.<br/><font color="red">Attention:</font> toutes les données sur la partition %2 seront perdues. - + The EFI system partition at %1 will be used for starting %2. La partition système EFI sur %1 sera utilisée pour démarrer %2. - + EFI system partition: Partition système EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3033,12 +3080,12 @@ Sortie ResultsListDialog - + For best results, please ensure that this computer: Pour de meilleur résultats, merci de s'assurer que cet ordinateur : - + System requirements Prérequis système @@ -3046,27 +3093,27 @@ Sortie ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Cet ordinateur ne satisfait pas les minimum prérequis pour configurer %1.<br/>La configuration ne peut pas continuer. <a href="#details">Détails...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Cet ordinateur ne satisfait pas les minimum prérequis pour installer %1.<br/>L'installation ne peut pas continuer. <a href="#details">Détails...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Cet ordinateur ne satisfait pas certains des prérequis recommandés pour configurer %1.<br/>La configuration peut continuer, mais certaines fonctionnalités pourraient être désactivées. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Cet ordinateur ne satisfait pas certains des prérequis recommandés pour installer %1.<br/>L'installation peut continuer, mais certaines fonctionnalités pourraient être désactivées. - + This program will ask you some questions and set up %2 on your computer. Ce programme va vous poser quelques questions et configurer %2 sur votre ordinateur. @@ -3349,51 +3396,80 @@ Sortie TrackingInstallJob - + Installation feedback Rapport d'installation - + Sending installation feedback. Envoi en cours du rapport d'installation. - + Internal error in install-tracking. Erreur interne dans le suivi d'installation. - + HTTP request timed out. La requête HTTP a échoué. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Rapport de la machine - + Configuring machine feedback. Configuration en cours du rapport de la machine. - - + + Error in machine feedback configuration. Erreur dans la configuration du rapport de la machine. - + Could not configure machine feedback correctly, script error %1. Echec pendant la configuration du rapport de machine, erreur de script %1. - + Could not configure machine feedback correctly, Calamares error %1. Impossible de mettre en place le rapport d'utilisateurs, erreur %1. @@ -3412,8 +3488,8 @@ Sortie - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>En sélectionnant cette option, vous n'enverrez <span style=" font-weight:600;">aucune information</span> sur votre installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3421,30 +3497,30 @@ Sortie <html><head/><body><span style=" text-decoration: underline; color:#2980b9;">Cliquez ici pour plus d'informations sur les rapports d'utilisateurs</span><a href="placeholder"><p></p></body> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - L'installation de la surveillance permet à %1 de voir combien d'utilisateurs l'utilise, quelle configuration matérielle %1 utilise, et (avec les 2 dernières options ci-dessous), recevoir une information continue concernant les applications préférées. Pour connaître les informations qui seront envoyées, veuillez cliquer sur l'icône d'aide à côté de chaque zone. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - En sélectionnant cette option, vous enverrez des informations sur votre installation et votre matériel. Cette information ne sera <b>seulement envoyée qu'une fois</b> après la finalisation de l'installation. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - En sélectionnant cette option vous enverrez <b>périodiquement</b> des informations sur votre installation, matériel, et applications, à %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - En sélectionnant cette option vous enverrez <b>régulièrement</b> des informations sur votre installation, matériel, applications, et habitudes d'utilisation, à %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Rapport @@ -3630,42 +3706,42 @@ Sortie &Notes de publication - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Bienvenue dans le programme de configuration Calamares pour %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Bienvenue dans la configuration de %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> Bien dans l'installateur Calamares pour %1. - + <h1>Welcome to the %1 installer.</h1> <h1>Bienvenue dans l'installateur de %1.</h1> - + %1 support Support de %1 - + About %1 setup À propos de la configuration de %1 - + About %1 installer À propos de l'installateur %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3673,7 +3749,7 @@ Sortie WelcomeQmlViewStep - + Welcome Bienvenue @@ -3681,7 +3757,7 @@ Sortie WelcomeViewStep - + Welcome Bienvenue @@ -3710,6 +3786,26 @@ Sortie + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3755,6 +3851,24 @@ Sortie + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3806,27 +3920,27 @@ Sortie - + About À propos - + Support - + Known issues Problèmes connus - + Release notes - + Donate Faites un don diff --git a/lang/calamares_fr_CH.ts b/lang/calamares_fr_CH.ts index 1c2100f40..17390b5e3 100644 --- a/lang/calamares_fr_CH.ts +++ b/lang/calamares_fr_CH.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_gl.ts b/lang/calamares_gl.ts index 865a53a91..b45067b13 100644 --- a/lang/calamares_gl.ts +++ b/lang/calamares_gl.ts @@ -118,12 +118,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instalar @@ -131,12 +131,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -144,7 +144,7 @@ Calamares::JobThread - + Done Feito @@ -152,7 +152,7 @@ Calamares::NamedJob - + Example job (%1) @@ -160,17 +160,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Executando a orde %1 %2 @@ -178,32 +178,32 @@ Calamares::PythonJob - + Running %1 operation. Excutando a operación %1. - + Bad working directory path A ruta ó directorio de traballo é errónea - + Working directory %1 for python job %2 is not readable. O directorio de traballo %1 para o traballo de python %2 non é lexible - + Bad main script file Ficheiro de script principal erróneo - + Main script file %1 for python job %2 is not readable. O ficheiro principal de script %1 para a execución de python %2 non é lexible. - + Boost.Python error in job "%1". Boost.Python tivo un erro na tarefa "%1". @@ -228,8 +228,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -237,7 +242,7 @@ - + (%n second(s)) @@ -245,7 +250,7 @@ - + System-requirements checking is complete. @@ -274,13 +279,13 @@ - + &Yes &Si - + &No &Non @@ -315,108 +320,108 @@ <br/> Non foi posíbel cargar os módulos seguintes: - + Continue with setup? Continuar coa posta en marcha? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> O %1 instalador está a piques de realizar cambios no seu disco para instalar %2.<br/><strong>Estes cambios non poderán desfacerse.</strong> - + &Set up now - + &Install now &Instalar agora - + Go &back Ir &atrás - + &Set up - + &Install &Instalar - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Completouse a instalacion. Peche o instalador - + Cancel setup without changing the system. - + Cancel installation without changing the system. Cancelar a instalación sen cambiar o sistema - + &Next &Seguinte - + &Back &Atrás - + &Done &Feito - + &Cancel &Cancelar - + Cancel setup? - + Cancel installation? Cancelar a instalación? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Desexa realmente cancelar o proceso actual de instalación? @@ -426,22 +431,22 @@ O instalador pecharase e perderanse todos os cambios. CalamaresPython::Helper - + Unknown exception type Excepción descoñecida - + unparseable Python error Erro de Python descoñecido - + unparseable Python traceback O rastreo de Python non é analizable. - + Unfetchable Python error. Erro de Python non recuperable @@ -458,32 +463,32 @@ O instalador pecharase e perderanse todos os cambios. CalamaresWindow - + Show debug information Mostrar informes de depuración - + &Back &Atrás - + &Next &Seguinte - + &Cancel &Cancelar - + %1 Setup Program - + %1 Installer Instalador de %1 @@ -680,18 +685,18 @@ O instalador pecharase e perderanse todos os cambios. CommandList - - + + Could not run command. Non foi posíbel executar a orde. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. A orde execútase no ambiente hóspede e precisa coñecer a ruta a root, mais non se indicou ningún rootMountPoint. - + The command needs to know the user's name, but no username is defined. A orde precisa coñecer o nome do usuario, mais non se indicou ningún nome de usuario. @@ -744,49 +749,49 @@ O instalador pecharase e perderanse todos os cambios. Installación por rede. (Desactivadas. Non se pudo recupera-la lista de pacotes, comprobe a sua conexión a rede) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este ordenador non satisfai os requerimentos mínimos ara a instalación de %1.<br/>A instalación non pode continuar. <a href="#details">Máis información...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este ordenador non satisfai algúns dos requisitos recomendados para instalar %1.<br/> A instalación pode continuar, pero pode que algunhas características sexan desactivadas. - + This program will ask you some questions and set up %2 on your computer. Este programa faralle algunhas preguntas mentres prepara %2 no seu ordenador. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Reciba a benvida ao instalador Calamares para %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Benvido o instalador %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ O instalador pecharase e perderanse todos os cambios. FillGlobalStorageJob - + Set partition information Poñela información da partición - + Install %1 on <strong>new</strong> %2 system partition. Instalar %1 nunha <strong>nova</strong> partición do sistema %2 - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Configure unha <strong>nova</strong> partición %2 con punto de montaxe <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalar %2 na partición do sistema %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Configurala partición %3 <strong>%1</strong> con punto de montaxe <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalar o cargador de arranque en <strong>%1</strong>. - + Setting up mount points. Configuralos puntos de montaxe. @@ -1271,32 +1276,32 @@ O instalador pecharase e perderanse todos os cambios. &Reiniciar agora. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Todo feito.</h1><br/>%1 foi instalado na súa computadora.<br/>Agora pode reiniciar no seu novo sistema ou continuar a usalo entorno Live %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Fallou a instalación</h1><br/>%1 non se pudo instalar na sua computadora. <br/>A mensaxe de erro foi: %2. @@ -1304,27 +1309,27 @@ O instalador pecharase e perderanse todos os cambios. FinishedViewStep - + Finish Fin - + Setup Complete - + Installation Complete Instalacion completa - + The setup of %1 is complete. - + The installation of %1 is complete. Completouse a instalación de %1 @@ -1355,72 +1360,72 @@ O instalador pecharase e perderanse todos os cambios. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source está conectado a unha fonte de enerxía - + The system is not plugged in to a power source. O sistema non está conectado a unha fonte de enerxía. - + is connected to the Internet está conectado á Internet - + The system is not connected to the Internet. O sistema non está conectado á Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. O instalador non se está a executar con dereitos de administrador. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. A pantalla é demasiado pequena para mostrar o instalador. @@ -1768,6 +1773,16 @@ O instalador pecharase e perderanse todos os cambios. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ O instalador pecharase e perderanse todos os cambios. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ O instalador pecharase e perderanse todos os cambios. Particións - + Install %1 <strong>alongside</strong> another operating system. Instalar %1 <strong>a carón</strong> doutro sistema operativo. - + <strong>Erase</strong> disk and install %1. <strong>Limpar</strong> o disco e instalar %1. - + <strong>Replace</strong> a partition with %1. <strong>Substituír</strong> unha partición por %1. - + <strong>Manual</strong> partitioning. Particionamento <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalar %1 <strong>a carón</strong> doutro sistema operativo no disco <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Limpar</strong> o disco <strong>%2</strong> (%3) e instalar %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Substituír</strong> unha partición do disco <strong>%2</strong> (%3) por %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionamento <strong>manual</strong> do disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1</strong> (%2) - + Current: Actual: - + After: Despois: - + No EFI system partition configured Non hai ningunha partición de sistema EFI configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set A bandeira da partición de sistema EFI non está configurada - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted A partición de arranque non está cifrada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Configurouse unha partición de arranque separada xunto cunha partición raíz cifrada, mais a partición raíz non está cifrada.<br/><br/>Con este tipo de configuración preocupa a seguranza porque nunha partición sen cifrar grávanse ficheiros de sistema importantes.<br/>Pode continuar, se así o desexa, mais o desbloqueo do sistema de ficheiros producirase máis tarde durante o arranque do sistema.<br/>Para cifrar unha partición raíz volva atrás e créea de novo, seleccionando <strong>Cifrar</strong> na xanela de creación de particións. - + has at least one disk device available. - + There are no partitions to install on. @@ -2659,14 +2687,14 @@ O instalador pecharase e perderanse todos os cambios. ProcessResult - + There was no output from the command. A saída non produciu ningunha saída. - + Output: @@ -2675,52 +2703,52 @@ Saída: - + External command crashed. A orde externa fallou - + Command <i>%1</i> crashed. A orde <i>%1</i> fallou. - + External command failed to start. Non foi posíbel iniciar a orde externa. - + Command <i>%1</i> failed to start. Non foi posíbel iniciar a orde <i>%1</i>. - + Internal error when starting command. Produciuse un erro interno ao iniciar a orde. - + Bad parameters for process job call. Erro nos parámetros ao chamar o traballo - + External command failed to finish. A orde externa non se puido rematar. - + Command <i>%1</i> failed to finish in %2 seconds. A orde <i>%1</i> non se puido rematar en %2s segundos. - + External command finished with errors. A orde externa rematou con erros. - + Command <i>%1</i> finished with exit code %2. A orde <i>%1</i> rematou co código de erro %2. @@ -2728,32 +2756,27 @@ Saída: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown descoñecido - + extended estendido - + unformatted sen formatar - + swap intercambio @@ -2807,6 +2830,15 @@ Saída: Espazo sen particionar ou táboa de particións descoñecida + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Saída: Formulario - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Seleccione onde instalar %1.<br/><font color="red">Advertencia: </font>isto elimina todos os ficheiros da partición seleccionada. - + The selected item does not appear to be a valid partition. O elemento seleccionado non parece ser unha partición válida. - + %1 cannot be installed on empty space. Please select an existing partition. Non é posíbel instalar %1 nun espazo baleiro. Seleccione unha partición existente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. Non é posíbel instalar %1 nunha partición estendida. Seleccione unha partición primaria ou lóxica existente. - + %1 cannot be installed on this partition. Non é posíbel instalar %1 nesta partición - + Data partition (%1) Partición de datos (%1) - + Unknown system partition (%1) Partición de sistema descoñecida (%1) - + %1 system partition (%2) %1 partición do sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>A partición %1 é demasiado pequena para %2. Seleccione unha partición cunha capacidade mínima de %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Non foi posíbel atopar ningunha partición de sistema EFI neste sistema. Recúe e empregue o particionamento manual para configurar %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 vai ser instalado en %2. <br/><font color="red">Advertencia: </font>vanse perder todos os datos da partición %2. - + The EFI system partition at %1 will be used for starting %2. A partición EFI do sistema en %1 será usada para iniciar %2. - + EFI system partition: Partición EFI do sistema: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Saída: ResultsListDialog - + For best results, please ensure that this computer: Para os mellores resultados, por favor, asegúrese que este ordenador: - + System requirements Requisitos do sistema @@ -3044,27 +3091,27 @@ Saída: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este ordenador non satisfai os requerimentos mínimos ara a instalación de %1.<br/>A instalación non pode continuar. <a href="#details">Máis información...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este ordenador non satisfai algúns dos requisitos recomendados para instalar %1.<br/> A instalación pode continuar, pero pode que algunhas características sexan desactivadas. - + This program will ask you some questions and set up %2 on your computer. Este programa faralle algunhas preguntas mentres prepara %2 no seu ordenador. @@ -3347,51 +3394,80 @@ Saída: TrackingInstallJob - + Installation feedback Opinións sobre a instalació - + Sending installation feedback. Enviar opinións sobre a instalación. - + Internal error in install-tracking. Produciuse un erro interno en install-tracking. - + HTTP request timed out. Esgotouse o tempo de espera de HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Información fornecida pola máquina - + Configuring machine feedback. Configuración das informacións fornecidas pola máquina. - - + + Error in machine feedback configuration. Produciuse un erro na configuración das información fornecidas pola máquina. - + Could not configure machine feedback correctly, script error %1. Non foi posíbel configurar correctamente as informacións fornecidas pola máquina; erro de script %1. - + Could not configure machine feedback correctly, Calamares error %1. Non foi posíbel configurar correctamente as informacións fornecidas pola máquin; erro de Calamares %1. @@ -3410,8 +3486,8 @@ Saída: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Ao seleccionar isto vostede <span style=" font-weight:600;">non envía ningunha información</span> sobre esta instalación.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3419,30 +3495,30 @@ Saída: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Prema aquí para máis información sobre as opinións do usuario</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - O seguimento da instalación axuda a %1 a ver cantos usuarios ten, en que hardware instalan %1 (coas dúas últimas opcións de embaixo) e obter información continua sobre os aplicativos preferidos. Para ver o que se envía, prema na icona de axuda que hai a carón de cada zona. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Ao seleccionar isto vostede envía información sobre a súa instalación e hardware. Esta información <b>só se envía unha vez</b>, logo de rematar a instalación. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Ao seleccionar isto vostede envía información <b>periodicamente</b> sobre a súa instalación, hardware e aplicativos a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Ao seleccionar isto vostede envía información <b>regularmente</b> sobre a súa instalación, hardware, aplicativos e patrón de uso a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Opinións @@ -3628,42 +3704,42 @@ Saída: &Notas de publicación - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Reciba a benvida ao instalador Calamares para %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Benvido o instalador %1.</h1> - + %1 support %1 axuda - + About %1 setup - + About %1 installer Acerca do instalador %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Saída: WelcomeQmlViewStep - + Welcome Benvido @@ -3679,7 +3755,7 @@ Saída: WelcomeViewStep - + Welcome Benvido @@ -3708,6 +3784,26 @@ Saída: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3753,6 +3849,24 @@ Saída: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3804,27 +3918,27 @@ Saída: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_gu.ts b/lang/calamares_gu.ts index fea1a0b4e..765cd21d3 100644 --- a/lang/calamares_gu.ts +++ b/lang/calamares_gu.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_he.ts b/lang/calamares_he.ts index f07972940..ee4e36915 100644 --- a/lang/calamares_he.ts +++ b/lang/calamares_he.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up הקמה - + Install התקנה @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) משימה נכשלה (%1) - + Programmed job failure was explicitly requested. הכשל במשימה המוגדרת התבקש במפורש. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done הסתיים @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) משימה לדוגמה (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. להפעיל את הפקודה ‚%1’ במערכת היעד. - + Run command '%1'. להפעיל את הפקודה ‚%1’. - + Running command %1 %2 הפקודה %1 %2 רצה @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. הפעולה %1 רצה. - + Bad working directory path נתיב תיקיית עבודה שגוי - + Working directory %1 for python job %2 is not readable. תיקיית העבודה %1 עבור משימת python‏ %2 אינה קריאה. - + Bad main script file קובץ תסריט הרצה ראשי לא תקין - + Main script file %1 for python job %2 is not readable. קובץ תסריט הרצה ראשי %1 עבור משימת python %2 לא קריא. - + Boost.Python error in job "%1". שגיאת Boost.Python במשימה „%1”. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + בדיקת הדרישות למודול <i>%1</i> הושלמה. + - + Waiting for %n module(s). בהמתנה למודול אחד. @@ -238,7 +243,7 @@ - + (%n second(s)) ((שנייה אחת) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. בדיקת דרישות המערכת הושלמה. @@ -277,13 +282,13 @@ - + &Yes &כן - + &No &לא @@ -318,109 +323,109 @@ <br/>לא ניתן לטעון את המודולים הבאים: - + Continue with setup? להמשיך בהתקנה? - + Continue with installation? להמשיך בהתקנה? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> תכנית ההתקנה של %1 עומדת לבצע שינויים בכונן הקשיח שלך לטובת התקנת %2.<br/><strong>לא תהיה לך אפשרות לבטל את השינויים האלה.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> אשף ההתקנה של %1 הולך לבצע שינויים בכונן שלך לטובת התקנת %2.<br/><strong>לא תוכל לבטל את השינויים הללו.</strong> - + &Set up now להת&קין כעת - + &Install now להת&קין כעת - + Go &back ח&זרה - + &Set up להת&קין - + &Install הת&קנה - + Setup is complete. Close the setup program. ההתקנה הושלמה. נא לסגור את תכנית ההתקנה. - + The installation is complete. Close the installer. תהליך ההתקנה הושלם. נא לסגור את אשף ההתקנה. - + Cancel setup without changing the system. ביטול ההתקנה ללא שינוי המערכת. - + Cancel installation without changing the system. ביטול התקנה ללא ביצוע שינוי במערכת. - + &Next הב&א - + &Back ה&קודם - + &Done &סיום - + &Cancel &ביטול - + Cancel setup? לבטל את ההתקנה? - + Cancel installation? לבטל את ההתקנה? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. לבטל את תהליך ההתקנה הנוכחי? תכנית ההתקנה תצא וכל השינויים יאבדו. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. לבטל את תהליך ההתקנה? @@ -430,22 +435,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type טיפוס חריגה אינו מוכר - + unparseable Python error שגיאת Python לא ניתנת לניתוח - + unparseable Python traceback עקבה לאחור של Python לא ניתנת לניתוח - + Unfetchable Python error. שגיאת Python לא ניתנת לאחזור. @@ -463,32 +468,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information הצגת מידע ניפוי שגיאות - + &Back ה&קודם - + &Next הב&א - + &Cancel &ביטול - + %1 Setup Program תכנית התקנת %1 - + %1 Installer אשף התקנה של %1 @@ -685,18 +690,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. לא ניתן להריץ את הפקודה. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. הפקודה פועלת בסביבת המארח ועליה לדעת מה נתיב השורש, אך לא צוין rootMountPoint. - + The command needs to know the user's name, but no username is defined. הפקודה צריכה לדעת מה שם המשתמש, אך לא הוגדר שם משתמש. @@ -749,49 +754,49 @@ The installer will quit and all changes will be lost. התקנה מהרשת. (מושבתת: לא ניתן לקבל רשימות של חבילות תכנה, נא לבדוק את החיבור לרשת) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> המחשב לא עומד ברף הדרישות המזערי להתקנת %1. <br/>להתקנה אין אפשרות להמשיך. <a href="#details">פרטים…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> המחשב לא עומד ברף דרישות המינימום להתקנת %1. <br/>ההתקנה לא יכולה להמשיך. <a href="#details"> פרטים...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. המחשב לא עומד בחלק מרף דרישות המינימום להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - + This program will ask you some questions and set up %2 on your computer. תכנית זו תשאל אותך מספר שאלות ותתקין את %2 על המחשב שלך. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>ברוך בואך לתכנית ההתקנה Calamares עבור %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>ברוך בואך לתכנית ההתקנה Calamares עבור %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>ברוך בואך להתקנת %1.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>ברוך בואך להתקנת %1</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>ברוך בואך להתקנת %1 עם Calamares.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>ברוך בואך להתקנת %1 עם Calamares</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>ברוך בואך להתקנת %1.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>ברוך בואך לתכנית התקנת %1</h1> @@ -1228,37 +1233,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information הגדרת מידע עבור המחיצה - + Install %1 on <strong>new</strong> %2 system partition. התקנת %1 על מחיצת מערכת <strong>חדשה</strong> מסוג %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. הגדרת מחיצת מערכת <strong>חדשה</strong> מסוג %2 עם נקודת העיגון <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. התקנת %2 על מחיצת מערכת <strong>%1</strong> מסוג %3. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. התקן מחיצה מסוג %3 <strong>%1</strong> עם נקודת העיגון <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. התקנת מנהל אתחול מערכת על <strong>%1</strong>. - + Setting up mount points. נקודות עיגון מוגדרות. @@ -1276,32 +1281,32 @@ The installer will quit and all changes will be lost. ה&פעלה מחדש כעת - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>הכול הושלם.</h1><br/>ההתקנה של %1 למחשב שלך הושלמה.<br/>מעתה יתאפשר לך להשתמש במערכת החדשה שלך. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>אם תיבה זו מסומנת, המערכת שלך תופעל מחדש מיידית עם הלחיצה על <span style="font-style:italic;">סיום</span> או עם סגירת תכנית ההתקנה.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>תהליך ההתקנה הסתיים.</h1><br/>%1 הותקן על המחשב שלך.<br/> כעת ניתן לאתחל את המחשב אל תוך המערכת החדשה שהותקנה, או להמשיך להשתמש בסביבה הנוכחית של %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>אם תיבה זו מסומנת, המערכת שלך תופעל מחדש מיידית עם הלחיצה על <span style="font-style:italic;">סיום</span> או עם סגירת תכנית ההתקנה.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>ההתקנה נכשלה</h1><br/>ההתקנה של %1 במחשבך לא הושלמה.<br/>הודעת השגיאה הייתה: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>ההתקנה נכשלה</h1><br/>%1 לא הותקן על מחשבך.<br/> הודעת השגיאה: %2. @@ -1309,27 +1314,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish סיום - + Setup Complete ההתקנה הושלמה - + Installation Complete ההתקנה הושלמה - + The setup of %1 is complete. התקנת %1 הושלמה. - + The installation of %1 is complete. ההתקנה של %1 הושלמה. @@ -1360,72 +1365,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space יש לפחות %1 GiB פנויים בכונן - + There is not enough drive space. At least %1 GiB is required. נפח האחסון לא מספיק. נדרשים %1 GiB לפחות. - + has at least %1 GiB working memory יש לפחות %1 GiB זיכרון לעבודה - + The system does not have enough working memory. At least %1 GiB is required. כמות הזיכרון הנדרשת לפעולה אינה מספיקה. נדרשים %1 GiB לפחות. - + is plugged in to a power source מחובר לספק חשמל חיצוני - + The system is not plugged in to a power source. המערכת לא מחוברת לספק חשמל חיצוני. - + is connected to the Internet מחובר לאינטרנט - + The system is not connected to the Internet. המערכת לא מחוברת לאינטרנט. - + is running the installer as an administrator (root) ההתקנה מופעלת תחת חשבון מורשה ניהול (root) - + The setup program is not running with administrator rights. תכנית ההתקנה אינה פועלת עם הרשאות ניהול. - + The installer is not running with administrator rights. אשף ההתקנה לא רץ עם הרשאות מנהל. - + has a screen large enough to show the whole installer יש מסך מספיק גדול כדי להציג את כל תכנית ההתקנה - + The screen is too small to display the setup program. המסך קטן מכדי להציג את תכנית ההתקנה. - + The screen is too small to display the installer. גודל המסך קטן מכדי להציג את תכנית ההתקנה. @@ -1773,6 +1778,18 @@ The installer will quit and all changes will be lost. לא הוגדרה נקודת עגינת שורש עבור מזהה מכונה (MachineId). + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + נא לבחור את המיקום המועדף עליך על המפה כדי שתכנית ההתקנה תוכל להציע הגדרות מקומיות + ואזור זמן עבורך. ניתן לכוונן את ההגדרות המוצעות להלן. לחפש במפה על ידי משיכה להזזתה ובכפתורים +/- כדי להתקרב/להתרחק + או להשתמש בגלילת העכבר לטובת שליטה בתקריב. + + NetInstallViewStep @@ -1911,6 +1928,19 @@ The installer will quit and all changes will be lost. הגדרת מזהה מחזור למשווק לערך <code>%1</code>. + + Offline + + + Timezone: %1 + אזור זמן: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + כדי לבחור באזור זמן, נא לוודא שהתחברת לאינטרנט. להפעיל את תכנית ההתקנה מחדש לאחר ההתחברות. ניתן לכוונן את הגדרות השפה וההגדרות המקומיות להלן. + + PWQ @@ -2498,107 +2528,107 @@ The installer will quit and all changes will be lost. מחיצות - + Install %1 <strong>alongside</strong> another operating system. להתקין את %1 <strong>לצד</strong> מערכת הפעלה אחרת. - + <strong>Erase</strong> disk and install %1. <strong>למחוק</strong> את הכונן ולהתקין את %1. - + <strong>Replace</strong> a partition with %1. <strong>החלפת</strong> מחיצה עם %1. - + <strong>Manual</strong> partitioning. להגדיר מחיצות באופן <strong>ידני</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). להתקין את %1 <strong>לצד</strong> מערכת הפעלה אחרת על כונן <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>למחוק</strong> את הכונן <strong>%2</strong> (%3) ולהתקין את %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>החלפת</strong> מחיצה על כונן <strong>%2</strong> (%3) ב־%1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). חלוקה למחיצות באופן <strong>ידני</strong> על כונן <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) כונן <strong>%1</strong> (%2) - + Current: נוכחי: - + After: לאחר: - + No EFI system partition configured לא הוגדרה מחיצת מערכת EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. מחיצת מערכת EFI נדרשת כדי להפעיל את %1.<br/><br/> כדי להגדיר מחיצת מערכת EFI, עליך לחזור ולבחור או ליצור מערכת קבצים מסוג FAT32 עם סימון <strong>%3</strong> פעיל ועם נקודת עיגון <strong>%2</strong>.<br/><br/> ניתן להמשיך ללא הגדרת מחיצת מערכת EFI אך טעינת המערכת עשויה להיכשל. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. לצורך הפעלת %1 נדרשת מחיצת מערכת EFI.<br/><br/> הוגדרה מחיצה עם נקודת עיגון <strong>%2</strong> אך לא הוגדר סימון <strong>%3</strong>.<br/> כדי לסמן את המחיצה, עליך לחזור ולערוך את המחיצה.<br/><br/> ניתן להמשיך ללא הוספת הסימון אך טעינת המערכת עשויה להיכשל. - + EFI system partition flag not set לא מוגדר סימון מחיצת מערכת EFI - + Option to use GPT on BIOS אפשרות להשתמש ב־GPT או ב־BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. טבלת מחיצות מסוג GPT היא האפשרות הטובה ביותר בכל המערכות. תכנית התקנה זו תומכת גם במערכות מסוג BIOS.<br/><br/>כדי להגדיר טבלת מחיצות מסוג GPT על גבי BIOS, (אם זה טרם בוצע) יש לחזור ולהגדיר את טבלת המחיצות ל־GPT, לאחר מכן יש ליצור מחיצה של 8 מ״ב ללא פירמוט עם הדגלון <strong>bios_grub</strong> פעיל.<br/><br/>מחיצה בלתי מפורמטת בגודל 8 מ״ב נחוצה לטובת הפעלת %1 על מערכת מסוג BIOS עם GPT. - + Boot partition not encrypted מחיצת טעינת המערכת (Boot) אינה מוצפנת. - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. מחיצת טעינה, boot, נפרדת הוגדרה יחד עם מחיצת מערכת ההפעלה, root, מוצפנת, אך מחיצת הטעינה לא הוצפנה.<br/><br/> ישנן השלכות בטיחותיות עם התצורה שהוגדרה, מכיוון שקבצי מערכת חשובים נשמרים על מחיצה לא מוצפנת.<br/>תוכל להמשיך אם תרצה, אך שחרור מערכת הקבצים יתרחש מאוחר יותר כחלק מטעינת המערכת.<br/>בכדי להצפין את מחיצת הטעינה, חזור וצור אותה מחדש, על ידי בחירה ב <strong>הצפן</strong> בחלונית יצירת המחיצה. - + has at least one disk device available. יש לפחות התקן כונן אחד זמין. - + There are no partitions to install on. אין מחיצות להתקין עליהן. @@ -2664,14 +2694,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. לא היה פלט מהפקודה. - + Output: @@ -2680,52 +2710,52 @@ Output: - + External command crashed. הפקודה החיצונית נכשלה. - + Command <i>%1</i> crashed. הפקודה <i>%1</i> קרסה. - + External command failed to start. הפעלת הפעולה החיצונית נכשלה. - + Command <i>%1</i> failed to start. הפעלת הפקודה <i>%1</i> נכשלה. - + Internal error when starting command. שגיאה פנימית בעת הפעלת פקודה. - + Bad parameters for process job call. פרמטרים לא תקינים עבור קריאת עיבוד פעולה. - + External command failed to finish. סיום הפקודה החיצונית נכשל. - + Command <i>%1</i> failed to finish in %2 seconds. הפקודה <i>%1</i> לא הסתיימה תוך %2 שניות. - + External command finished with errors. הפקודה החיצונית הסתיימה עם שגיאות. - + Command <i>%1</i> finished with exit code %2. הפקודה <i>%1</i> הסתיימה עם קוד היציאה %2. @@ -2733,32 +2763,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - בדיקת הדרישות למודול <i>%1</i> הושלמה. - - - + unknown לא ידוע - + extended מורחבת - + unformatted לא מאותחלת - + swap דפדוף, swap @@ -2812,6 +2837,16 @@ Output: הזכרון לא מחולק למחיצות או שטבלת המחיצות אינה מוכרת + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> + ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו.</p> + + RemoveUserJob @@ -2847,73 +2882,90 @@ Output: Form - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. בחר מיקום התקנת %1.<br/><font color="red">אזהרה: </font> הפעולה תמחק את כל הקבצים במחיצה שנבחרה. - + The selected item does not appear to be a valid partition. הפריט הנבחר איננו מחיצה תקינה. - + %1 cannot be installed on empty space. Please select an existing partition. לא ניתן להתקין את %1 על זכרון ריק. אנא בחר מחיצה קיימת. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. לא ניתן להתקין את %1 על מחיצה מורחבת. אנא בחר מחיצה ראשית או לוגית קיימת. - + %1 cannot be installed on this partition. לא ניתן להתקין את %1 על מחיצה זו. - + Data partition (%1) מחיצת מידע (%1) - + Unknown system partition (%1) מחיצת מערכת (%1) לא מוכרת - + %1 system partition (%2) %1 מחיצת מערכת (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/> גודל המחיצה %1 קטן מדי עבור %2. אנא בחר מחיצה עם קיבולת בנפח %3 GiB לפחות. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/> מחיצת מערכת EFI לא נמצאה באף מקום על המערכת. חזור בבקשה והשתמש ביצירת מחיצות באופן ידני בכדי להגדיר את %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 יותקן על %2. <br/><font color="red">אזהרה: </font>כל המידע אשר קיים במחיצה %2 יאבד. - + The EFI system partition at %1 will be used for starting %2. מחיצת מערכת EFI ב %1 תשמש עבור טעינת %2. - + EFI system partition: מחיצת מערכת EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>המחשב הזה לא עונה על רף הדרישות המזערי להתקנת %1.<br/> + ההתקנה לא יכולה להמשיך.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> + ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו.</p> + + ResizeFSJob @@ -3036,12 +3088,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: לקבלת התוצאות הטובות ביותר, נא לוודא כי מחשב זה: - + System requirements דרישות מערכת @@ -3049,27 +3101,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> המחשב לא עומד ברף הדרישות המזערי להתקנת %1. <br/>להתקנה אין אפשרות להמשיך. <a href="#details">פרטים…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> המחשב לא עומד ברף דרישות המינימום להתקנת %1. <br/>ההתקנה לא יכולה להמשיך. <a href="#details"> פרטים...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. המחשב לא עומד בחלק מרף דרישות המזערי להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. המחשב לא עומד בחלק מרף דרישות המינימום להתקנת %1.<br/> ההתקנה יכולה להמשיך, אך יתכן כי חלק מהתכונות יושבתו. - + This program will ask you some questions and set up %2 on your computer. תכנית זו תשאל אותך מספר שאלות ותתקין את %2 על המחשב שלך. @@ -3352,51 +3404,80 @@ Output: TrackingInstallJob - + Installation feedback משוב בנושא ההתקנה - + Sending installation feedback. שולח משוב בנושא ההתקנה. - + Internal error in install-tracking. שגיאה פנימית בעת התקנת תכונת המעקב. - + HTTP request timed out. בקשת HTTP חרגה מזמן ההמתנה המקסימאלי. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + משוב משתמש KDE + + + + Configuring KDE user feedback. + משוב המשתמש ב־KDE מוגדר. + + + + + Error in KDE user feedback configuration. + שגיאה בהגדרות משוב המשתמש ב־KDE. + - + + Could not configure KDE user feedback correctly, script error %1. + לא ניתן להגדיר את משוב המשתמש ב־KDE כראוי, שגיאת סקריפט %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + לא ניתן להגדיר את משוב המשתמש ב־KDE כראוי, שגיאת Calamares‏ %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback משוב בנושא עמדת המחשב - + Configuring machine feedback. מגדיר משוב בנושא עמדת המחשב. - - + + Error in machine feedback configuration. שגיאה בעת הגדרת המשוב בנושא עמדת המחשב. - + Could not configure machine feedback correctly, script error %1. לא ניתן להגדיר את המשוב בנושא עמדת המחשב באופן תקין. שגיאת הרצה %1. - + Could not configure machine feedback correctly, Calamares error %1. לא ניתן להגדיר את המשוב בנושא עמדת המחשב באופן תקין. שגיאת Calamares %1. @@ -3415,8 +3496,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>בחירה באפשרות זו, תוביל לכך <span style=" font-weight:600;">שלא יישלח מידע כלל</span> בנוגע ההתקנה שלך.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>ניתן ללחוץ כאן כדי <span style=" font-weight:600;">לא למסור כלל מידע</span> על ההתקנה שלך.</p></body></html> @@ -3424,30 +3505,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">לחץ כאן למידע נוסף אודות משוב מצד המשתמש</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - מעקב אחר ההתקנה מסייע ל־%1 לראות כמה משתמשים במוצר שלהם, על איזו חומרה מתבצעת ההתקנה של %1, בנוסף (לשתי האפשרויות הקודמות), קבלת מידע מתחדש על יישומים מועדפים. כדי לצפות בנתונים שיישלחו, נא לשלוח על סמל העזרה שליד כל אחד מהסעיפים. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + מעקב מסייע ל־%1 לראות מה תדירות ההתקנות, על איזו חומרה המערכת מותקנת ואילו יישומים בשימוש. כדי לצפות במה שיישלח, נא ללחוץ על סמל העזרה שליד כל אזור. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - בחירה באפשרות זו תוביל לשליחת מידע על ההתקנה והחומרה שלך. מידע זה <b>יישלח פעם אחת בלבד</b> לאחר סיום ההתקנה. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + בחירה באפשרות זו תוביל לשליחת מידע על ההתקנה והחומרה שלך. מידע זה יישלח <b>פעם אחת</b> בלבד לאחר סיום ההתקנה. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - בחירה באפשרות הזאת תוביל לשליחת מידע <b>מדי פעם בפעם</b> על ההתקנה, החומרה והיישומים שלך אל %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + בחירה באפשרות הזאת תוביל לשליחת מידע מדי פעם בפעם על ההתקנה ב<b>מערכת</b>, החומרה והיישומים שלך אל %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - בחירה באפשרות זו תוביל לשליחת מידע <b>באופן קבוע</b> על ההתקנה, החומרה, היישומים ודפוסי שימוש אל %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + בחירה באפשרות זו תוביל לשליחת מידע באופן קבוע על התקנת ה<b>משתמש</b>, החומרה, היישומים ודפוסי שימוש אל %1. TrackingViewStep - + Feedback משוב @@ -3633,42 +3714,42 @@ Output: ה&ערות מהדורה - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>ברוך בואך לתכנית ההתקנה Calamares עבור %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>ברוך בואך להתקנת %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>ברוך בואך להתקנת %1 עם Calamares.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>ברוך בואך להתקנת %1.</h1> - + %1 support תמיכה ב־%1 - + About %1 setup על אודות התקנת %1 - + About %1 installer על אודות התקנת %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>עבור %3</strong><br/><br/>כל הזכויות שמורות 2014‏-2017 ל־Teo Mrnjavac‏ &lt;teo@kde.org&gt;<br/>כל הזכויות שמורות 2017‏-2020 ל־Adriaan de Groot‏ &lt;groot@kde.org&gt;<br/>תודה גדולה נתונה <a href="https://calamares.io/team/">לצוות Calamares</a> ול<a href="https://www.transifex.com/calamares/calamares/">צווות המתרגמים של Calamares</a>.<br/><br/><a href="https://calamares.io/">הפיתוח של Calamares</a> ממומן על ידי <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - דואגים לחירות התכנה. @@ -3676,7 +3757,7 @@ Output: WelcomeQmlViewStep - + Welcome ברוך בואך @@ -3684,7 +3765,7 @@ Output: WelcomeViewStep - + Welcome ברוך בואך @@ -3724,6 +3805,28 @@ Output: חזרה + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>שפות</h1> </br> + תבנית המערכת המקומית משפיעה על השפה ועל ערכת התווים של מגוון רכיבים במנשק המשתמש. ההגדרה הנוכחית היא <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>תבניות מקומיות</h1> </br> + תבנית המערכת המקומית משפיעה על השפה ועל ערכת התווים של מגוון רכיבים במנשק המשתמש. ההגדרה הנוכחית היא <strong>%1</strong>. + + + + Back + חזרה + + keyboardq @@ -3769,6 +3872,24 @@ Output: בדיקת המקלדת שלך + + localeq + + + System language set to %1 + שפת המערכת הוגדרה ל%1. + + + + Numbers and dates locale set to %1 + התבנית המקומית של המספרים והתאריכים הוגדרה לכדי %1 + + + + Change + החלפה + + notesqml @@ -3842,27 +3963,27 @@ Output: <p>תכנית זו תשאל אותך מספר שאלות ותתקין את %1 על המחשב שלך.</p> - + About על אודות - + Support תמיכה - + Known issues בעיות נפוצות - + Release notes הערות מהדורה - + Donate תרומה diff --git a/lang/calamares_hi.ts b/lang/calamares_hi.ts index 2d47397e6..780717647 100644 --- a/lang/calamares_hi.ts +++ b/lang/calamares_hi.ts @@ -65,7 +65,7 @@ GlobalStorage - GlobalStorage + ग्लोबल स्टोरेज @@ -91,7 +91,7 @@ Interface: - इंटरफ़ेस : + अंतरफलक : @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up सेटअप - + Install इंस्टॉल करें @@ -130,20 +130,20 @@ Calamares::FailJob - + Job failed (%1) कार्य विफल रहा (%1) - + Programmed job failure was explicitly requested. - प्रोग्राम किए गए कार्य की विफलता स्पष्ट रूप से अनुरोध की गई थी। + प्रोग्राम किए गए कार्य की विफलता स्पष्ट रूप से अनुरोधित थी। Calamares::JobThread - + Done पूर्ण @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) उदाहरण कार्य (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. लक्षित सिस्टम पर कमांड '%1' चलाएँ। - + Run command '%1'. कमांड '%1' चलाएँ। - + Running command %1 %2 कमांड %1%2 चल रही हैं @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 चल रहा है। - + Bad working directory path कार्यरत फोल्डर का पथ गलत है - + Working directory %1 for python job %2 is not readable. पाइथन कार्य %2 हेतु कार्यरत डायरेक्टरी %1 रीड योग्य नहीं है। - + Bad main script file गलत मुख्य स्क्रिप्ट फ़ाइल - + Main script file %1 for python job %2 is not readable. पाइथन कार्य %2 हेतु मुख्य स्क्रिप्ट फ़ाइल %1 रीड योग्य नहीं है। - + Boost.Python error in job "%1". कार्य "%1" में Boost.Python त्रुटि। @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + मॉड्यूल <i>%1</i> हेतु आवश्यकताओं की जाँच पूर्ण हुई। + - + Waiting for %n module(s). %n मॉड्यूल की प्रतीक्षा में। @@ -236,7 +241,7 @@ - + (%n second(s)) (%n सेकंड) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. सिस्टम हेतु आवश्यकताओं की जाँच पूर्ण हुई। @@ -273,13 +278,13 @@ - + &Yes हाँ (&Y) - + &No नहीं (&N) @@ -306,117 +311,117 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - %1 को इनस्टॉल नहीं किया जा सका। Calamares सभी विन्यस्त मापांकों को लोड करने में विफल रहा। यह आपके लिनक्स वितरण द्वारा Calamares के उपयोग से संबंधित एक समस्या है। + %1 इंस्टॉल नहीं किया जा सका। Calamares सभी विन्यस्त मॉड्यूल लोड करने में विफल रहा। यह आपके लिनक्स वितरण द्वारा Calamares के उपयोग से संबंधित एक समस्या है। <br/>The following modules could not be loaded: - <br/>निम्नलिखित मापांक लोड नहीं हो सकें : + <br/>निम्नलिखित मॉड्यूल लोड नहीं हो सकें : - + Continue with setup? सेटअप करना जारी रखें? - + Continue with installation? इंस्टॉल प्रक्रिया जारी रखें? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %2 सेटअप करने हेतु %1 सेटअप प्रोग्राम आपकी डिस्क में बदलाव करने वाला है।<br/><strong>आप इन बदलावों को पूर्ववत नहीं कर पाएंगे।</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %2 इंस्टॉल करने के लिए %1 इंस्टॉलर आपकी डिस्क में बदलाव करने वाला है।<br/><strong>आप इन बदलावों को पूर्ववत नहीं कर पाएंगे।</strong> - + &Set up now अभी सेटअप करें (&S) - + &Install now अभी इंस्टॉल करें (&I) - + Go &back वापस जाएँ (&b) - + &Set up सेटअप करें (&S) - + &Install इंस्टॉल करें (&I) - + Setup is complete. Close the setup program. सेटअप पूर्ण हुआ। सेटअप प्रोग्राम बंद कर दें। - + The installation is complete. Close the installer. इंस्टॉल पूर्ण हुआ।अब इंस्टॉलर को बंद करें। - + Cancel setup without changing the system. सिस्टम में बदलाव किये बिना सेटअप रद्द करें। - + Cancel installation without changing the system. सिस्टम में बदलाव किये बिना इंस्टॉल रद्द करें। - + &Next आगे (&N) - + &Back वापस (&B) - + &Done हो गया (&D) - + &Cancel रद्द करें (&C) - + Cancel setup? सेटअप रद्द करें? - + Cancel installation? इंस्टॉल रद्द करें? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. क्या आप वाकई वर्तमान सेटअप प्रक्रिया रद्द करना चाहते हैं? सेटअप प्रोग्राम बंद हो जाएगा व सभी बदलाव नष्ट। - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. क्या आप वाकई वर्तमान इंस्टॉल प्रक्रिया रद्द करना चाहते हैं? @@ -426,22 +431,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type अपवाद का प्रकार अज्ञात है - + unparseable Python error अप्राप्य पाइथन त्रुटि - + unparseable Python traceback अप्राप्य पाइथन ट्रेसबैक - + Unfetchable Python error. अप्राप्य पाइथन त्रुटि। @@ -459,32 +464,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information डीबग संबंधी जानकारी दिखाएँ - + &Back वापस (&B) - + &Next आगे (&N) - + &Cancel रद्द करें (&C) - + %1 Setup Program %1 सेटअप प्रोग्राम - + %1 Installer %1 इंस्टॉलर @@ -681,18 +686,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. कमांड चलाई नहीं जा सकी। - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. होस्ट वातावरण में कमांड हेतु रुट पथ जानना आवश्यक है परन्तु कोई रूट माउंट पॉइंट परिभाषित नहीं किया गया है। - + The command needs to know the user's name, but no username is defined. कमांड हेतु उपयोक्ता का नाम आवश्यक है परन्तु कोई नाम परिभाषित नहीं है। @@ -745,49 +750,49 @@ The installer will quit and all changes will be lost. नेटवर्क इंस्टॉल। (निष्क्रिय है : पैकेज सूची प्राप्त करने में असमर्थ, अपना नेटवर्क कनेक्शन जाँचें) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> यह कंप्यूटर %1 सेटअप करने की न्यूनतम आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी नहीं रखा जा सकता।<a href="#details">विवरण...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> यह कंप्यूटर %1 इंस्टॉल करने की न्यूनतम आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी नहीं रखा जा सकता।<a href="#details">विवरण...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. यह कंप्यूटर %1 सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. यह कंप्यूटर %1 इंस्टॉल करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी। - + This program will ask you some questions and set up %2 on your computer. यह प्रोग्राम प्रश्नावली के माध्यम से आपके कंप्यूटर पर %2 को सेट करेगा। - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1 हेतु Calamares सेटअप में आपका स्वागत है।</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 हेतु Calamares सेटअप में आपका स्वागत है</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>%1 सेटअप में आपका स्वागत है।</h1> + + <h1>Welcome to %1 setup</h1> + <h1>%1 सेटअप में आपका स्वागत है</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1 हेतु Calamares इंस्टॉलर में आपका स्वागत है।</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 हेतु Calamares इंस्टॉलर में आपका स्वागत है</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 इंस्टॉलर में आपका स्वागत है।</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>%1 इंस्टॉलर में आपका स्वागत है</h1> @@ -1224,37 +1229,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information विभाजन संबंधी जानकारी सेट करें - + Install %1 on <strong>new</strong> %2 system partition. <strong>नए</strong> %2 सिस्टम विभाजन पर %1 इंस्टॉल करें। - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. <strong>नया</strong> %2 विभाजन माउंट पॉइंट <strong>%1</strong> के साथ सेट करें। - + Install %2 on %3 system partition <strong>%1</strong>. %3 सिस्टम विभाजन <strong>%1</strong> पर %2 इंस्टॉल करें। - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. %3 विभाजन <strong>%1</strong> माउंट पॉइंट <strong>%2</strong> के साथ सेट करें। - + Install boot loader on <strong>%1</strong>. बूट लोडर <strong>%1</strong> पर इंस्टॉल करें। - + Setting up mount points. माउंट पॉइंट सेट किए जा रहे हैं। @@ -1272,32 +1277,32 @@ The installer will quit and all changes will be lost. अभी पुनः आरंभ करें (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>सब हो गया।</h1><br/>आपके कंप्यूटर पर %1 को सेटअप कर दिया गया है।<br/>अब आप अपने नए सिस्टम का उपयोग कर सकते है। - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>यह विकल्प चयनित होने पर आपका सिस्टम तुरंत पुनः आरंभ हो जाएगा जब आप <span style="font-style:italic;">हो गया</span>पर क्लिक करेंगे या सेटअप प्रोग्राम को बंद करेंगे।</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>सब हो गया।</h1><br/>आपके कंप्यूटर पर %1 इंस्टॉल हो चुका है।<br/>अब आप आपने नए सिस्टम को पुनः आरंभ कर सकते है, या फिर %2 लाइव वातावरण उपयोग करना जारी रखें। - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>यह विकल्प चयनित होने पर आपका सिस्टम तुरंत पुनः आरंभ हो जाएगा जब आप <span style="font-style:italic;">हो गया</span>पर क्लिक करेंगे या इंस्टॉलर बंद करेंगे।</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>सेटअप विफल रहा</h1><br/>%1 आपके कंप्यूटर पर सेटअप नहीं हुआ।<br/>त्रुटि संदेश : %2। - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>इंस्टॉल विफल रहा</h1><br/>%1 आपके कंप्यूटर पर इंस्टॉल नहीं हुआ।<br/>त्रुटि संदेश : %2। @@ -1305,27 +1310,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish समाप्त करें - + Setup Complete सेटअप पूर्ण हुआ - + Installation Complete इंस्टॉल पूर्ण हुआ - + The setup of %1 is complete. %1 का सेटअप पूर्ण हुआ। - + The installation of %1 is complete. %1 का इंस्टॉल पूर्ण हुआ। @@ -1356,72 +1361,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space कम-से-कम %1 GiB स्पेस ड्राइव पर उपलब्ध हो - + There is not enough drive space. At least %1 GiB is required. ड्राइव में पर्याप्त स्पेस नहीं है। कम-से-कम %1 GiB होना आवश्यक है। - + has at least %1 GiB working memory कम-से-कम %1 GiB मेमोरी उपलब्ध हो - + The system does not have enough working memory. At least %1 GiB is required. सिस्टम में पर्याप्त मेमोरी नहीं है। कम-से-कम %1 GiB होनी आवश्यक है। - + is plugged in to a power source पॉवर के स्रोत से कनेक्ट है - + The system is not plugged in to a power source. सिस्टम पॉवर के स्रोत से कनेक्ट नहीं है। - + is connected to the Internet इंटरनेट से कनेक्ट है - + The system is not connected to the Internet. सिस्टम इंटरनेट से कनेक्ट नहीं है। - + is running the installer as an administrator (root) इंस्टॉलर को प्रबंधक(रुट) के अंतर्गत चला रहा है - + The setup program is not running with administrator rights. सेटअप प्रोग्राम के पास प्रबंधक अधिकार नहीं है। - + The installer is not running with administrator rights. इंस्टॉलर के पास प्रबंधक अधिकार नहीं है। - + has a screen large enough to show the whole installer स्क्रीन का माप इंस्टॉलर को पूर्णतया प्रदर्शित करने में सक्षम हो - + The screen is too small to display the setup program. सेटअप प्रोग्राम प्रदर्शित करने हेतु स्क्रीन काफ़ी छोटी है। - + The screen is too small to display the installer. इंस्टॉलर प्रदर्शित करने हेतु स्क्रीन काफ़ी छोटी है। @@ -1769,6 +1774,18 @@ The installer will quit and all changes will be lost. मशीन-आईडी हेतु कोई रुट माउंट पॉइंट सेट नहीं है। + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + कृपया मानचित्र पर अपना भौगोलिक स्थान चुनें ताकि इंस्टॉलर स्थानिकी + व समयक्षेत्र सेटिंग्स संबंधी सुझाव दे सके। माउस क्लिक द्वारा ड्रैग कर मानचित्र में खोजें + व नक़्शे का आकार परिवर्तन +/- बटन या माउस स्क्रॉल द्वारा करें। + + NetInstallViewStep @@ -1907,6 +1924,19 @@ The installer will quit and all changes will be lost. OEM (मूल उपकरण निर्माता) बैच पहचानकर्ता को <code>%1</code>पर सेट करें। + + Offline + + + Timezone: %1 + समय क्षेत्र : %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + समयक्षेत्र चयन करने हेतु सुनिश्चित करें कि आप इंटरनेट से कनेक्ट हैं। कनेक्ट होने के बाद इंस्टॉलर को पुनः आरंभ करें। फिर आप नीचे दी गयी भाषा व स्थानिकी सेटिंग्स कर सकते हैं। + + PWQ @@ -2494,107 +2524,107 @@ The installer will quit and all changes will be lost. विभाजन - + Install %1 <strong>alongside</strong> another operating system. %1 को दूसरे ऑपरेटिंग सिस्टम <strong>के साथ</strong> इंस्टॉल करें। - + <strong>Erase</strong> disk and install %1. डिस्क का सारा डाटा<strong>हटाकर</strong> कर %1 इंस्टॉल करें। - + <strong>Replace</strong> a partition with %1. विभाजन को %1 से <strong>बदलें</strong>। - + <strong>Manual</strong> partitioning. <strong>मैनुअल</strong> विभाजन। - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). डिस्क <strong>%2</strong> (%3) पर %1 को दूसरे ऑपरेटिंग सिस्टम <strong>के साथ</strong> इंस्टॉल करें। - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. डिस्क <strong>%2</strong> (%3) <strong>erase</strong> कर %1 इंस्टॉल करें। - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. डिस्क <strong>%2</strong> (%3) के विभाजन को %1 से <strong>बदलें</strong>। - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). डिस्क <strong>%1</strong> (%2) पर <strong>मैनुअल</strong> विभाजन। - + Disk <strong>%1</strong> (%2) डिस्क <strong>%1</strong> (%2) - + Current: मौजूदा : - + After: बाद में: - + No EFI system partition configured कोई EFI सिस्टम विभाजन विन्यस्त नहीं है - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. %1 आरंभ करने हेतु EFI सिस्टम विभाजन ज़रूरी है।<br/><br/>EFI सिस्टम विभाजन को विन्यस्त करने के लिए, वापस जाएँ और चुनें या बनाएँ एक FAT32 फ़ाइल सिस्टम जिस पर <strong>%3</strong> flag चालू हो व माउंट पॉइंट <strong>%2</strong>हो।<br/><br/>आप बिना सेट करें भी आगे बढ़ सकते है पर सिस्टम चालू नहीं होगा। - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. %1 को शुरू करने हेतु EFI सिस्टम विभाजन ज़रूरी है।<br/><br/>विभाजन को माउंट पॉइंट <strong>%2</strong> के साथ विन्यस्त किया गया परंतु उसका <strong>%3</strong> फ्लैग सेट नहीं था।<br/> फ्लैग सेट करने के लिए, वापस जाएँ और विभाजन को edit करें।<br/><br/>आप बिना सेट करें भी आगे बढ़ सकते है पर सिस्टम चालू नहीं होगा। - + EFI system partition flag not set EFI सिस्टम विभाजन फ्लैग सेट नहीं है - + Option to use GPT on BIOS BIOS पर GPT उपयोग करने के लिए विकल्प - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT विभाजन तालिका सभी सिस्टम हेतु सबसे उत्तम विकल्प है। यह इंस्टॉलर BIOS सिस्टम के सेटअप को भी समर्थन करता है। <br/><br/>BIOS पर GPT विभाजन तालिका को विन्यस्त करने हेतु, (अगर अब तक नहीं करा है तो) वापस जाकर विभाजन तालिका GPT पर सेट करें, फिर एक 8 MB का बिना फॉर्मेट हुआ विभाजन बनाए जिस पर <strong>bios_grub</strong> का flag हो।<br/><br/>यह बिना फॉर्मेट हुआ 8 MB का विभाजन %1 को BIOS सिस्टम पर GPT के साथ शुरू करने के लिए आवश्यक है। - + Boot partition not encrypted बूट विभाजन एन्क्रिप्टेड नहीं है - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. एन्क्रिप्टेड रुट विभाजन के साथ एक अलग बूट विभाजन भी सेट किया गया था, पर बूट विभाजन एन्क्रिप्टेड नहीं था।<br/><br/> इस तरह का सेटअप सुरक्षित नहीं होता क्योंकि सिस्टम फ़ाइल एन्क्रिप्टेड विभाजन पर होती हैं।<br/>आप चाहे तो जारी रख सकते है, पर फिर फ़ाइल सिस्टम बाद में सिस्टम स्टार्टअप के दौरान अनलॉक होगा।<br/> विभाजन को एन्क्रिप्ट करने के लिए वापस जाकर उसे दोबारा बनाएँ व विभाजन निर्माण विंडो में<strong>एन्क्रिप्ट</strong> चुनें। - + has at least one disk device available. कम-से-कम एक डिस्क डिवाइस उपलब्ध हो। - + There are no partitions to install on. इंस्टॉल हेतु कोई विभाजन नहीं हैं। @@ -2660,14 +2690,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. कमांड से कोई आउटपुट नहीं मिला। - + Output: @@ -2676,52 +2706,52 @@ Output: - + External command crashed. बाह्य कमांड क्रैश हो गई। - + Command <i>%1</i> crashed. कमांड <i>%1</i> क्रैश हो गई। - + External command failed to start. बाह्य​ कमांड शुरू होने में विफल। - + Command <i>%1</i> failed to start. कमांड <i>%1</i> शुरू होने में विफल। - + Internal error when starting command. कमांड शुरू करते समय आंतरिक त्रुटि। - + Bad parameters for process job call. प्रक्रिया कार्य कॉल के लिए गलत मापदंड। - + External command failed to finish. बाहरी कमांड समाप्त करने में विफल। - + Command <i>%1</i> failed to finish in %2 seconds. कमांड <i>%1</i> %2 सेकंड में समाप्त होने में विफल। - + External command finished with errors. बाहरी कमांड त्रुटि के साथ समाप्त। - + Command <i>%1</i> finished with exit code %2. कमांड <i>%1</i> exit कोड %2 के साथ समाप्त। @@ -2729,32 +2759,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - मापांक <i>%1</i> हेतु आवश्यकताओं की जाँच पूर्ण हुई। - - - + unknown अज्ञात - + extended विस्तृत - + unformatted फॉर्मेट नहीं हो रखा है - + swap स्वैप @@ -2808,6 +2833,16 @@ Output: अविभाजित स्पेस या अज्ञात विभाजन तालिका + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>यह कंप्यूटर %1 सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/> + सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी।</p> + + RemoveUserJob @@ -2843,73 +2878,90 @@ Output: रूप - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. चुनें कि %1 को कहाँ इंस्टॉल करना है।<br/><font color="red">चेतावनी: </font> यह चयनित विभाजन पर मौजूद सभी फ़ाइलों को हटा देगा। - + The selected item does not appear to be a valid partition. चयनित आइटम एक मान्य विभाजन नहीं है। - + %1 cannot be installed on empty space. Please select an existing partition. %1 को खाली स्पेस पर इंस्टॉल नहीं किया जा सकता।कृपया कोई मौजूदा विभाजन चुनें। - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 को विस्तृत विभाजन पर इंस्टॉल नहीं किया जा सकता। कृपया कोई मौजूदा मुख्य या तार्किक विभाजन चुनें। - + %1 cannot be installed on this partition. इस विभाजन पर %1 इंस्टॉल नहीं किया जा सकता। - + Data partition (%1) डाटा विभाजन (%1) - + Unknown system partition (%1) अज्ञात सिस्टम विभाजन (%1) - + %1 system partition (%2) %1 सिस्टम विभाजन (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>%2 के लिए विभाजन %1 बहुत छोटा है।कृपया कम-से-कम %3 GiB की क्षमता वाला कोई विभाजन चुनें । - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>इस सिस्टम पर कहीं भी कोई EFI सिस्टम विभाजन नहीं मिला। कृपया वापस जाएँ व %1 को सेट करने के लिए मैनुअल रूप से विभाजन करें। - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%2 पर %1 इंस्टॉल किया जाएगा।<br/><font color="red">चेतावनी : </font>विभाजन %2 पर मौजूद सारा डाटा हटा दिया जाएगा। - + The EFI system partition at %1 will be used for starting %2. %1 वाले EFI सिस्टम विभाजन का उपयोग %2 को शुरू करने के लिए किया जाएगा। - + EFI system partition: EFI सिस्टम विभाजन: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>यह कंप्यूटर %1 को इंस्टॉल करने की न्यूनतम आवश्यकताओं को पूरा नहीं करता।<br/> + इंस्टॉल जारी नहीं रखा जा सकता।</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>यह कंप्यूटर %1 सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/> + सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ निष्क्रिय कर दी जाएँगी।</p> + + ResizeFSJob @@ -3032,12 +3084,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: उत्तम परिणाम हेतु, कृपया सुनिश्चित करें कि यह कंप्यूटर : - + System requirements सिस्टम इंस्टॉल हेतु आवश्यकताएँ @@ -3045,27 +3097,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> यह कंप्यूटर %1 को सेटअप करने की न्यूनतम आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी नहीं रखा जा सकता।<a href="#details">विवरण...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> यह कंप्यूटर %1 को इंस्टॉल करने की न्यूनतम आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी नहीं रखा जा सकता।<a href="#details">विवरण...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. यह कंप्यूटर %1 को सेटअप करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>सेटअप जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ को निष्क्रिय किया जा सकता हैं। - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. यह कंप्यूटर %1 को इंस्टॉल करने हेतु सुझाई गई आवश्यकताओं को पूरा नहीं करता।<br/>इंस्टॉल जारी रखा जा सकता है, लेकिन कुछ विशेषताएँ को निष्क्रिय किया जा सकता हैं। - + This program will ask you some questions and set up %2 on your computer. यह प्रोग्राम एक प्रश्नावली के आधार पर आपके कंप्यूटर पर %2 को सेट करेगा। @@ -3348,53 +3400,82 @@ Output: TrackingInstallJob - + Installation feedback इंस्टॉल संबंधी प्रतिक्रिया - + Sending installation feedback. इंस्टॉल संबंधी प्रतिक्रिया भेजना। - + Internal error in install-tracking. इंस्टॉल-ट्रैकिंग में आंतरिक त्रुटि। - + HTTP request timed out. एचटीटीपी अनुरोध हेतु समय समाप्त। - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + केडीई उपयोक्ता प्रतिक्रिया + + + + Configuring KDE user feedback. + केडीई उपयोक्ता प्रतिक्रिया विन्यस्त करना। + - + + + Error in KDE user feedback configuration. + केडीई उपयोक्ता प्रतिक्रिया विन्यास में त्रुटि। + + + + Could not configure KDE user feedback correctly, script error %1. + केडीई उपयोक्ता प्रतिक्रिया सही रूप से विन्यस्त नहीं की जा सकी, स्क्रिप्ट त्रुटि %1। + + + + Could not configure KDE user feedback correctly, Calamares error %1. + केडीई उपयोक्ता प्रतिक्रिया विन्यस्त सही रूप से विन्यस्त नहीं की जा सकी, Calamares त्रुटि %1। + + + + TrackingMachineUpdateManagerJob + + Machine feedback मशीन संबंधी प्रतिक्रिया - + Configuring machine feedback. मशीन संबंधी प्रतिक्रिया विन्यस्त करना। - - + + Error in machine feedback configuration. मशीन संबंधी प्रतिक्रिया विन्यास में त्रुटि। - + Could not configure machine feedback correctly, script error %1. - मशीन प्रतिक्रिया को सही रूप से विन्यस्त नहीं किया जा सका, स्क्रिप्ट त्रुटि %1। + मशीन प्रतिक्रिया सही रूप से विन्यस्त नहीं की जा सकी, स्क्रिप्ट त्रुटि %1। - + Could not configure machine feedback correctly, Calamares error %1. - मशीन प्रतिक्रिया को सही रूप से विन्यस्त नहीं किया जा सका, Calamares त्रुटि %1। + मशीन प्रतिक्रिया को सही रूप से विन्यस्त नहीं की जा सकी, Calamares त्रुटि %1। @@ -3411,8 +3492,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>इसे चयनित करने पर, आपके इंस्टॉल संबंधी <span style=" font-weight:600;">किसी प्रकार की कोई जानकारी नहीं </span>भेजी जाएँगी।</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>यहाँ क्लिक करने के उपरांत, आपके इंस्टॉल संबंधी <span style=" font-weight:600;">किसी प्रकार की कोई जानकारी नहीं </span>भेजी जाएँगी।</p></body></html> @@ -3420,30 +3501,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">उपयोक्ता प्रतिक्रिया के बारे में अधिक जानकारी हेतु यहाँ क्लिक करें</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - इंस्टॉल की ट्रैकिंग करने से %1 को यह जानने में सहायता मिलती है कि उनके कितने उपयोक्ता हैं, वे किस हार्डवेयर पर %1 को इंस्टॉल करते हैं एवं (नीचे दिए अंतिम दो विकल्पों सहित), पसंदीदा अनुप्रयोगों के बारे में निरंतर जानकारी प्राप्त करते हैं। यह जानने हेतु कि क्या भेजा जाएगा, कृपया प्रत्येक क्षेत्र के साथ में दिए सहायता आइकन पर क्लिक करें। + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + ट्रैकिंग द्वारा %1 को यह जानने में सहायता मिलती है कि कितनी बार व किस हार्डवेयर पर इंस्टॉल किया गया एवं कौन से अनुप्रयोग उपयोग किए गए। यह जानने हेतु कि क्या भेजा जाएगा, कृपया प्रत्येक के साथ दिए गए सहायता आइकन पर क्लिक करें। - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - इसे चयनित करने पर आपके इंस्टॉल व हार्डवेयर संबंधी जानकारी भेजी जाएँगी। यह जानकारी इंस्टॉल समाप्त हो जाने के उपरांत <b>केवल एक बार ही</b> भेजी जाएगी। + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + इसे चयनित करने पर आपके इंस्टॉल व हार्डवेयर संबंधी जानकारी भेजी जाएँगी। यह जानकारी इंस्टॉल समाप्त हो जाने के उपरांत केवल <b>एक बार</b> ही भेजी जाएगी। - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - इसे चयनित करने पर आपके इंस्टॉल, हार्डवेयर व अनुप्रयोगों संबंधी जानकारी <b>समय-समय पर</b>, %1 को भेजी जाएँगी। + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + इसे चयनित करने पर आपके <b>मशीन</b> इंस्टॉल, हार्डवेयर व अनुप्रयोगों संबंधी जानकारी समय-समय पर, %1 को भेजी जाएँगी। - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - इसे चयनित करने पर आपके इंस्टॉल, हार्डवेयर, अनुप्रयोगों व उपयोक्ता प्रतिमानों संबंधी जानकारी <b>समय-समय पर</b>, %1 को भेजी जाएँगी। + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + इसे चयनित करने पर आपके <b>उपयोक्ता</b> इंस्टॉल, हार्डवेयर, अनुप्रयोगों व प्रतिमानों संबंधी जानकारी समय-समय पर, %1 को भेजी जाएँगी। TrackingViewStep - + Feedback प्रतिक्रिया @@ -3629,42 +3710,42 @@ Output: रिलीज़ नोट्स (&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1 हेतु Calamares सेटअप में आपका स्वागत है।</h1> - + <h1>Welcome to %1 setup.</h1> <h1>%1 सेटअप में आपका स्वागत है।</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1 के लिए Calamares इंस्टॉलर में आपका स्वागत है।</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 इंस्टॉलर में आपका स्वागत है।</h1> - + %1 support %1 सहायता - + About %1 setup %1 सेटअप के बारे में - + About %1 installer %1 इंस्टॉलर के बारे में - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>के लिए %3</strong><br/><br/>प्रतिलिप्याधिकार 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>प्रतिलिप्याधिकार 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/><a href="https://calamares.io/team/">Calamares टीम</a> व <a href="https://www.transifex.com/calamares/calamares/">Calamares अनुवादक टीम</a> का धन्यवाद।<br/><br/><a href="https://calamares.io/">Calamares</a> का विकास <br/><a href="http://www.blue-systems.com/">ब्लू सिस्टम्स</a> - लिब्रेटिंग सॉफ्टवेयर द्वारा प्रायोजित है। @@ -3672,7 +3753,7 @@ Output: WelcomeQmlViewStep - + Welcome स्वागत है @@ -3680,7 +3761,7 @@ Output: WelcomeViewStep - + Welcome स्वागत है @@ -3720,6 +3801,28 @@ Output: वापस + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>भाषाएँ</h1></br> + सिस्टम स्थानिकी सेटिंग कमांड लाइन के कुछ उपयोक्ता अंतरफलक तत्वों की भाषा व अक्षर सेट पर असर डालती है।<br/>मौजूदा सेटिंग <strong>%1</strong>है। + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>स्थानिकी</h1></br> + सिस्टम स्थानिकी सेटिंग कमांड लाइन के कुछ उपयोक्ता अंतरफलक तत्वों की भाषा व अक्षर सेट पर असर डालती है।<br/>मौजूदा सेटिंग <strong>%1</strong>है। + + + + Back + वापस + + keyboardq @@ -3765,6 +3868,24 @@ Output: अपना कुंजीपटल जाँचें + + localeq + + + System language set to %1 + सिस्टम भाषा %1 सेट की गई + + + + Numbers and dates locale set to %1 + संख्या व दिनांक स्थानिकी %1 सेट की गई + + + + Change + बदलें + + notesqml @@ -3838,27 +3959,27 @@ Output: <p>यह प्रोग्राम प्रश्नावली के माध्यम से आपके कंप्यूटर पर %1 को सेट करेगा।</p> - + About बारे में - + Support सहायता - + Known issues ज्ञात समस्याएँ - + Release notes रिलीज़ नोट्स - + Donate दान करें diff --git a/lang/calamares_hr.ts b/lang/calamares_hr.ts index e7350d778..983f9b393 100644 --- a/lang/calamares_hr.ts +++ b/lang/calamares_hr.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Postaviti - + Install Instaliraj @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Posao nije uspio (%1) - + Programmed job failure was explicitly requested. Programski neuspjeh posla je izričito zatražen. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Gotovo @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Primjer posla (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Izvrši naredbu '%1' u ciljnom sustavu. - + Run command '%1'. Izvrši naredbu '%1'. - + Running command %1 %2 Izvršavam naredbu %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Izvodim %1 operaciju. - + Bad working directory path Krivi put do radnog direktorija - + Working directory %1 for python job %2 is not readable. Radni direktorij %1 za python zadatak %2 nije čitljiv. - + Bad main script file Kriva glavna datoteka skripte - + Main script file %1 for python job %2 is not readable. Glavna skriptna datoteka %1 za python zadatak %2 nije čitljiva. - + Boost.Python error in job "%1". Boost.Python greška u zadatku "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Provjera zahtjeva za modul <i>%1</i> je dovršena. + - + Waiting for %n module(s). Čekam %1 modul(a). @@ -237,7 +242,7 @@ - + (%n second(s)) (%n sekunda(e)) @@ -246,7 +251,7 @@ - + System-requirements checking is complete. Provjera zahtjeva za instalaciju sustava je dovršena. @@ -275,13 +280,13 @@ - + &Yes &Da - + &No &Ne @@ -316,109 +321,109 @@ <br/>Sljedeći moduli se nisu mogli učitati: - + Continue with setup? Nastaviti s postavljanjem? - + Continue with installation? Nastaviti sa instalacijom? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Instalacijski program %1 će izvršiti promjene na vašem disku kako bi postavio %2. <br/><strong>Ne možete poništiti te promjene.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 instalacijski program će napraviti promjene na disku kako bi instalirao %2.<br/><strong>Nećete moći vratiti te promjene.</strong> - + &Set up now &Postaviti odmah - + &Install now &Instaliraj sada - + Go &back Idi &natrag - + &Set up &Postaviti - + &Install &Instaliraj - + Setup is complete. Close the setup program. Instalacija je završena. Zatvorite instalacijski program. - + The installation is complete. Close the installer. Instalacija je završena. Zatvorite instalacijski program. - + Cancel setup without changing the system. Odustanite od instalacije bez promjena na sustavu. - + Cancel installation without changing the system. Odustanite od instalacije bez promjena na sustavu. - + &Next &Sljedeće - + &Back &Natrag - + &Done &Gotovo - + &Cancel &Odustani - + Cancel setup? Prekinuti instalaciju? - + Cancel installation? Prekinuti instalaciju? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Stvarno želite prekinuti instalacijski proces? Instalacijski program će izaći i sve promjene će biti izgubljene. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Stvarno želite prekinuti instalacijski proces? @@ -428,22 +433,22 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. CalamaresPython::Helper - + Unknown exception type Nepoznati tip iznimke - + unparseable Python error unparseable Python greška - + unparseable Python traceback unparseable Python traceback - + Unfetchable Python error. Nedohvatljiva Python greška. @@ -461,32 +466,32 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. CalamaresWindow - + Show debug information Prikaži debug informaciju - + &Back &Natrag - + &Next &Sljedeće - + &Cancel &Odustani - + %1 Setup Program %1 instalacijski program - + %1 Installer %1 Instalacijski program @@ -683,18 +688,18 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. CommandList - - + + Could not run command. Ne mogu pokrenuti naredbu. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Naredba se pokreće u okruženju domaćina i treba znati korijenski put, međutim, rootMountPoint nije definiran. - + The command needs to know the user's name, but no username is defined. Naredba treba znati ime korisnika, ali nije definirano korisničko ime. @@ -719,7 +724,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. The numbers and dates locale will be set to %1. - Jezična shema brojeva i datuma će se postaviti na %1. + Regionalne postavke brojeva i datuma će se postaviti na %1. @@ -747,49 +752,49 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Mrežna instalacija. (Onemogućeno: Ne mogu dohvatiti listu paketa, provjerite da li ste spojeni na mrežu) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1.<br/>Instalacija se ne može nastaviti.<a href="#details">Detalji...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ovo računalo ne zadovoljava minimalne uvijete za instalaciju %1.<br/>Instalacija se ne može nastaviti.<a href="#details">Detalji...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - + This program will ask you some questions and set up %2 on your computer. Ovaj program će vam postaviti neka pitanja i instalirati %2 na vaše računalo. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Dobrodošli u Calamares instalacijski program za %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Dobrodošli u Calamares instalacijski program za %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Dobrodošli u %1 instalacijski program.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Dobrodošli u %1 instalacijski program</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - Dobrodošli u Calamares instalacijski program za %1. + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Dobrodošli u Calamares instalacijski program za %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Dobrodošli u %1 instalacijski program.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Dobrodošli u %1 instalacijski program</h1> @@ -1226,37 +1231,37 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. FillGlobalStorageJob - + Set partition information Postavi informacije o particiji - + Install %1 on <strong>new</strong> %2 system partition. Instaliraj %1 na <strong>novu</strong> %2 sistemsku particiju. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Postavi <strong>novu</strong> %2 particiju s točkom montiranja <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instaliraj %2 na %3 sistemsku particiju <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Postavi %3 particiju <strong>%1</strong> s točkom montiranja <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instaliraj boot učitavač na <strong>%1</strong>. - + Setting up mount points. Postavljam točke montiranja. @@ -1274,32 +1279,32 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.&Ponovno pokreni sada - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Gotovo.</h1><br/>%1 je instaliran na vaše računalo.<br/>Sada možete koristiti vaš novi sustav. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Kada je odabrana ova opcija, vaš sustav će se ponovno pokrenuti kada kliknete na <span style="font-style:italic;">Gotovo</span> ili zatvorite instalacijski program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Gotovo.</h1><br/>%1 je instaliran na vaše računalo.<br/>Sada možete ponovno pokrenuti računalo ili nastaviti sa korištenjem %2 live okruženja. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Kada je odabrana ova opcija, vaš sustav će se ponovno pokrenuti kada kliknete na <span style="font-style:italic;">Gotovo</span> ili zatvorite instalacijski program.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Instalacija nije uspijela</h1><br/>%1 nije instaliran na vaše računalo.<br/>Greška: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalacija nije uspijela</h1><br/>%1 nije instaliran na vaše računalo.<br/>Greška: %2. @@ -1307,27 +1312,27 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. FinishedViewStep - + Finish Završi - + Setup Complete Instalacija je završena - + Installation Complete Instalacija je završena - + The setup of %1 is complete. Instalacija %1 je završena. - + The installation of %1 is complete. Instalacija %1 je završena. @@ -1358,72 +1363,72 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. GeneralRequirements - + has at least %1 GiB available drive space ima barem %1 GB dostupne slobodne memorije na disku - + There is not enough drive space. At least %1 GiB is required. Nema dovoljno prostora na disku. Potrebno je najmanje %1 GB. - + has at least %1 GiB working memory ima barem %1 GB radne memorije - + The system does not have enough working memory. At least %1 GiB is required. Ovaj sustav nema dovoljno radne memorije. Potrebno je najmanje %1 GB. - + is plugged in to a power source je spojeno na izvor struje - + The system is not plugged in to a power source. Ovaj sustav nije spojen na izvor struje. - + is connected to the Internet je spojeno na Internet - + The system is not connected to the Internet. Ovaj sustav nije spojen na internet. - + is running the installer as an administrator (root) pokreće instalacijski program kao administrator (root) - + The setup program is not running with administrator rights. Instalacijski program nije pokrenut sa administratorskim dozvolama. - + The installer is not running with administrator rights. Instalacijski program nije pokrenut sa administratorskim dozvolama. - + has a screen large enough to show the whole installer ima zaslon dovoljno velik da može prikazati cijeli instalacijski program - + The screen is too small to display the setup program. Zaslon je premalen za prikaz instalacijskog programa. - + The screen is too small to display the installer. Zaslon je premalen za prikaz instalacijskog programa. @@ -1538,12 +1543,12 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. System locale setting - Postavke jezične sheme sustava + Regionalne postavke sustava The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. - Jezična shema sustava ima efekt na jezični i znakovni skup za neke komandno linijske elemente sučelja.<br/>Trenutačna postavka je <strong>%1</strong>. + Regionalne postavke sustava imaju efekt na jezični i znakovni skup za neke elemente korisničkog sučelja naredbenog retka.<br/>Trenutne postavke su <strong>%1</strong>. @@ -1693,7 +1698,7 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. The numbers and dates locale will be set to %1. - Jezična shema brojeva i datuma će se postaviti na %1. + Regionalne postavke brojeva i datuma će se postaviti na %1. @@ -1771,6 +1776,18 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Nijedna točka montiranja nije postavljena za MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Odaberite željenu lokaciju na karti da bi instalacijski program predložio regiju +i postavke vremenske zone za vas. Možete doraditi predložene postavke u nastavku. Kartu pretražujete pomicanjem miša +te korištenjem tipki +/- ili skrolanjem miša za zumiranje. + + NetInstallViewStep @@ -1909,6 +1926,19 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Postavite OEM identifikator serije na <code>%1</code>. + + Offline + + + Timezone: %1 + Vremenska zona: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Kako biste mogli odabrati vremensku zonu, provjerite jeste li povezani s internetom. Nakon spajanja ponovno pokrenite instalacijski program. Dodatno možete precizirati postavke jezika i regije. + + PWQ @@ -2496,107 +2526,107 @@ Instalacijski program će izaći i sve promjene će biti izgubljene.Particije - + Install %1 <strong>alongside</strong> another operating system. Instaliraj %1 <strong>uz postojeći</strong> operacijski sustav. - + <strong>Erase</strong> disk and install %1. <strong>Obriši</strong> disk i instaliraj %1. - + <strong>Replace</strong> a partition with %1. <strong>Zamijeni</strong> particiju s %1. - + <strong>Manual</strong> partitioning. <strong>Ručno</strong> particioniranje. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instaliraj %1 <strong>uz postojeći</strong> operacijski sustav na disku <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Obriši</strong> disk <strong>%2</strong> (%3) i instaliraj %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Zamijeni</strong> particiju na disku <strong>%2</strong> (%3) s %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ručno</strong> particioniram disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Trenutni: - + After: Poslije: - + No EFI system partition configured EFI particija nije konfigurirana - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. EFI particija je potrebna za pokretanje %1.<br/><br/>Da bi ste konfigurirali EFI particiju, idite natrag i odaberite ili stvorite FAT32 datotečni sustav s omogućenom <strong>%3</strong> oznakom i točkom montiranja <strong>%2</strong>.<br/><br/>Možete nastaviti bez postavljanja EFI particije, ali vaš sustav se možda neće moći pokrenuti. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. EFI particija je potrebna za pokretanje %1.<br/><br/>Particija je konfigurirana s točkom montiranja <strong>%2</strong>, ali njezina <strong>%3</strong> oznaka nije postavljena.<br/>Za postavljanje oznake, vratite se i uredite postavke particije.<br/><br/>Možete nastaviti bez postavljanja oznake, ali vaš sustav se možda neće moći pokrenuti. - + EFI system partition flag not set Oznaka EFI particije nije postavljena - + Option to use GPT on BIOS Mogućnost korištenja GPT-a na BIOS-u - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT tablica particija je najbolja opcija za sve sustave. Ovaj instalacijski program podržava takvo postavljanje i za BIOS sustave. <br/><br/>Da biste konfigurirali GPT particijsku tablicu za BIOS sustave, (ako to već nije učinjeno) vratite se natrag i postavite particijsku tablicu na GPT, a zatim stvorite neformatiranu particiju od 8 MB s omogućenom zastavicom <strong>bios_grub</strong>. <br/><br/>Neformirana particija od 8 MB potrebna je za pokretanje %1 na BIOS sustavu s GPT-om. - + Boot partition not encrypted Boot particija nije kriptirana - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Odvojena boot particija je postavljena zajedno s kriptiranom root particijom, ali boot particija nije kriptirana.<br/><br/>Zabrinuti smo za vašu sigurnost jer su važne datoteke sustava na nekriptiranoj particiji.<br/>Možete nastaviti ako želite, ali datotečni sustav će se otključati kasnije tijekom pokretanja sustava.<br/>Da bi ste kriptirali boot particiju, vratite se natrag i napravite ju, odabirom opcije <strong>Kriptiraj</strong> u prozoru za stvaranje prarticije. - + has at least one disk device available. ima barem jedan disk dostupan. - + There are no partitions to install on. Ne postoje particije na koje bi se instalirao sustav. @@ -2662,14 +2692,14 @@ Instalacijski program će izaći i sve promjene će biti izgubljene. ProcessResult - + There was no output from the command. Nema izlazne informacije od naredbe. - + Output: @@ -2678,52 +2708,52 @@ Izlaz: - + External command crashed. Vanjska naredba je prekinula s radom. - + Command <i>%1</i> crashed. Naredba <i>%1</i> je prekinula s radom. - + External command failed to start. Vanjska naredba nije uspješno pokrenuta. - + Command <i>%1</i> failed to start. Naredba <i>%1</i> nije uspješno pokrenuta. - + Internal error when starting command. Unutrašnja greška pri pokretanju naredbe. - + Bad parameters for process job call. Krivi parametri za proces poziva posla. - + External command failed to finish. Vanjska naredba se nije uspjela izvršiti. - + Command <i>%1</i> failed to finish in %2 seconds. Naredba <i>%1</i> nije uspjela završiti za %2 sekundi. - + External command finished with errors. Vanjska naredba je završila sa pogreškama. - + Command <i>%1</i> finished with exit code %2. Naredba <i>%1</i> je završila sa izlaznim kodom %2. @@ -2731,32 +2761,27 @@ Izlaz: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Provjera zahtjeva za modul <i>%1</i> je dovršena. - - - + unknown nepoznato - + extended prošireno - + unformatted nije formatirano - + swap swap @@ -2810,6 +2835,16 @@ Izlaz: Ne particionirani prostor ili nepoznata particijska tablica + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Ovo računalo ne zadovoljava neke preporučene zahtjeve za instalaciju %1.<br/> +Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene.</p> + + RemoveUserJob @@ -2845,73 +2880,90 @@ Izlaz: Oblik - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Odaberite gdje želite instalirati %1.<br/><font color="red">Upozorenje: </font>to će obrisati sve datoteke na odabranoj particiji. - + The selected item does not appear to be a valid partition. Odabrana stavka se ne ćini kao ispravna particija. - + %1 cannot be installed on empty space. Please select an existing partition. %1 ne može biti instaliran na prazni prostor. Odaberite postojeću particiju. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 se ne može instalirati na proširenu particiju. Odaberite postojeću primarnu ili logičku particiju. - + %1 cannot be installed on this partition. %1 se ne može instalirati na ovu particiju. - + Data partition (%1) Podatkovna particija (%1) - + Unknown system partition (%1) Nepoznata particija sustava (%1) - + %1 system partition (%2) %1 particija sustava (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Particija %1 je premala za %2. Odaberite particiju kapaciteta od najmanje %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI particijane postoji na ovom sustavu. Vratite se natrag i koristite ručno particioniranje za postavljane %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 će biti instaliran na %2.<br/><font color="red">Upozorenje: </font>svi podaci na particiji %2 će biti izgubljeni. - + The EFI system partition at %1 will be used for starting %2. EFI particija na %1 će se koristiti za pokretanje %2. - + EFI system partition: EFI particija: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1.<br/> +Instalacija se ne može nastaviti.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Ovo računalo ne zadovoljava neke preporučene zahtjeve za postavljanje %1.<br/> +Postavljanje se može nastaviti, ali neke će značajke možda biti onemogućene.</p> + + ResizeFSJob @@ -3034,12 +3086,12 @@ Izlaz: ResultsListDialog - + For best results, please ensure that this computer: Za najbolje rezultate, pobrinite se da ovo računalo: - + System requirements Zahtjevi sustava @@ -3047,27 +3099,27 @@ Izlaz: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ovo računalo ne zadovoljava minimalne zahtjeve za instalaciju %1.<br/>Instalacija se ne može nastaviti.<a href="#details">Detalji...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ovo računalo ne zadovoljava minimalne uvijete za instalaciju %1.<br/>Instalacija se ne može nastaviti.<a href="#details">Detalji...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Računalo ne zadovoljava neke od preporučenih uvjeta za instalaciju %1.<br/>Instalacija se može nastaviti, ali neke značajke možda neće biti dostupne. - + This program will ask you some questions and set up %2 on your computer. Ovaj program će vam postaviti neka pitanja i instalirati %2 na vaše računalo. @@ -3350,51 +3402,80 @@ Izlaz: TrackingInstallJob - + Installation feedback Povratne informacije o instalaciji - + Sending installation feedback. Šaljem povratne informacije o instalaciji - + Internal error in install-tracking. Interna pogreška prilikom praćenja instalacije. - + HTTP request timed out. HTTP zahtjev je istekao - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + Povratne informacije korisnika KDE-a + + + + Configuring KDE user feedback. + Konfiguriranje povratnih informacija korisnika KDE-a. + + + + + Error in KDE user feedback configuration. + Pogreška u konfiguraciji povratnih informacija korisnika KDE-a. + - + + Could not configure KDE user feedback correctly, script error %1. + Ne mogu ispravno konfigurirati povratne informacije korisnika KDE-a; pogreška skripte %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + Ne mogu ispravno konfigurirati povratne informacije korisnika KDE-a; greška Calamares instalacijskog programa %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Povratna informacija o uređaju - + Configuring machine feedback. Konfiguriram povratnu informaciju o uređaju. - - + + Error in machine feedback configuration. Greška prilikom konfiguriranja povratne informacije o uređaju. - + Could not configure machine feedback correctly, script error %1. Ne mogu ispravno konfigurirati povratnu informaciju o uređaju, greška skripte %1. - + Could not configure machine feedback correctly, Calamares error %1. Ne mogu ispravno konfigurirati povratnu informaciju o uređaju, Calamares greška %1. @@ -3413,8 +3494,8 @@ Izlaz: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Odabirom ove opcije <span style=" font-weight:600;">ne će se slati nikakve informacije</span>o vašoj instalaciji.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Kliknite ovdje da uopće ne šaljete<span style=" font-weight:600;"> nikakve podatke</span> o vašoj instalaciji.</p></body></html> @@ -3422,30 +3503,30 @@ Izlaz: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klikni ovdje za više informacija o korisničkoj povratnoj informaciji</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Praćenje instalacije pomaže %1 da vidi koliko ima korisnika, na koji hardver instalira %1 i (s posljednjim opcijama ispod) da dobije kontinuirane informacije o preferiranim aplikacijama. Kako bi vidjeli što se šalje molimo vas da kliknete na ikonu pomoći pokraj svake opcije. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + Praćenje pomaže %1 vidjeti koliko često se instalira, na kojem je hardveru instaliran i koje se aplikacije koriste. Da biste vidjeli što će biti poslano, kliknite ikonu pomoći pored svakog područja. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Odabirom ove opcije slat ćete informacije vezane za instalaciju i vaš hardver. Informacija <b>će biti poslana samo jednom</b>nakon što završi instalacija. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Odabirom ove opcije poslat ćete podatke o svojoj instalaciji i hardveru. Ove će informacije biti poslane <b>samo jednom</b> nakon završetka instalacije. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Odabirom ove opcije slat će se <b>periodična</b>informacija prema %1 o vašoj instalaciji, hardveru i aplikacijama. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Odabirom ove opcije periodično ćete slati podatke o instalaciji vašeg <b>računala</b>, hardveru i aplikacijama na %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Odabirom ove opcije slat će se <b>redovna</b>informacija prema %1 o vašoj instalaciji, hardveru, aplikacijama i uzorci upotrebe. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Odabirom ove opcije redovito ćete slati podatke o vašoj <b>korisničkoj</b> instalaciji, hardveru, aplikacijama i obrascima upotrebe aplikacija na %1. TrackingViewStep - + Feedback Povratna informacija @@ -3631,42 +3712,42 @@ Izlaz: &Napomene o izdanju - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Dobrodošli u Calamares instalacijski program za %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Dobrodošli u %1 instalacijski program.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> Dobrodošli u Calamares instalacijski program za %1. - + <h1>Welcome to the %1 installer.</h1> <h1>Dobrodošli u %1 instalacijski program.</h1> - + %1 support %1 podrška - + About %1 setup O %1 instalacijskom programu - + About %1 installer O %1 instalacijskom programu - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>za %3</strong><br/><br/>Autorska prava 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Autorska prava 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/> Hvala <a href="https://calamares.io/team/">Calamares timu</a> i <a href="https://www.transifex.com/calamares/calamares/">Calamares timu za prevođenje</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> sponzorira <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3674,7 +3755,7 @@ Izlaz: WelcomeQmlViewStep - + Welcome Dobrodošli @@ -3682,7 +3763,7 @@ Izlaz: WelcomeViewStep - + Welcome Dobrodošli @@ -3722,6 +3803,28 @@ Liberating Software. Natrag + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Postavke jezika</h1></br> +Jezične postavke sustava utječu na skup jezika i znakova za neke elemente korisničkog sučelja naredbenog retka. Trenutne postavke su <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Postavke regije</h1></br> +Postavke regije utječu na skup jezika i znakova za neke elemente korisničkog sučelja naredbenog retka. Trenutne postavke su <strong>%1</strong>. + + + + Back + Natrag + + keyboardq @@ -3767,6 +3870,24 @@ Liberating Software. Testirajte vašu tipkovnicu + + localeq + + + System language set to %1 + Jezik sustava je postavljen na %1 + + + + Numbers and dates locale set to %1 + Regionalne postavke brojeva i datuma su postavljene na %1 + + + + Change + Promijeni + + notesqml @@ -3839,27 +3960,27 @@ Liberating Software. <p>Ovaj program će vas pitati neka pitanja i pripremiti %1 na vašem računalu.</p> - + About O programu - + Support Podrška - + Known issues Poznati problemi - + Release notes Bilješke o izdanju - + Donate Doniraj diff --git a/lang/calamares_hu.ts b/lang/calamares_hu.ts index 1a00e4c45..c0a0990d4 100644 --- a/lang/calamares_hu.ts +++ b/lang/calamares_hu.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Összeállítás - + Install Telepít @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Művelet nem sikerült (%1) - + Programmed job failure was explicitly requested. Kifejezetten kért programozott műveleti hiba. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Kész @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Mintapélda (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. '%1' parancs futtatása a cél rendszeren. - + Run command '%1'. '%1' parancs futtatása. - + Running command %1 %2 Parancs futtatása %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Futó %1 műveletek. - + Bad working directory path Rossz munkakönyvtár útvonal - + Working directory %1 for python job %2 is not readable. Munkakönyvtár %1 a python folyamathoz %2 nem olvasható. - + Bad main script file Rossz alap script fájl - + Main script file %1 for python job %2 is not readable. Alap script fájl %1 a python folyamathoz %2 nem olvasható. - + Boost.Python error in job "%1". Boost. Python hiba ebben a folyamatban "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Követelmények ellenőrzése a <i>%1</i>modulhoz kész. + - + Waiting for %n module(s). Várakozás a %n modulokra. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n másodperc) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Rendszerkövetelmények ellenőrzése kész. @@ -273,13 +278,13 @@ - + &Yes &Igen - + &No &Nem @@ -314,109 +319,109 @@ <br/>A következő modulok nem tölthetőek be: - + Continue with setup? Folytatod a telepítéssel? - + Continue with installation? Folytatja a telepítést? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> A %1 telepítő változtatásokat fog végrehajtani a lemezen a %2 telepítéséhez. <br/><strong>Ezután már nem tudja visszavonni a változtatásokat.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> A %1 telepítő változtatásokat fog elvégezni, hogy telepítse a következőt: %2.<br/><strong>A változtatások visszavonhatatlanok lesznek.</strong> - + &Set up now &Telepítés most - + &Install now &Telepítés most - + Go &back Menj &vissza - + &Set up &Telepítés - + &Install &Telepítés - + Setup is complete. Close the setup program. Telepítés sikerült. Zárja be a telepítőt. - + The installation is complete. Close the installer. A telepítés befejeződött, Bezárhatod a telepítőt. - + Cancel setup without changing the system. Telepítés megszakítása a rendszer módosítása nélkül. - + Cancel installation without changing the system. Kilépés a telepítőből a rendszer megváltoztatása nélkül. - + &Next &Következő - + &Back &Vissza - + &Done &Befejez - + &Cancel &Mégse - + Cancel setup? Megszakítja a telepítést? - + Cancel installation? Abbahagyod a telepítést? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Valóban megszakítod a telepítési eljárást? A telepítő ki fog lépni és minden változtatás elveszik. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Biztos abba szeretnéd hagyni a telepítést? @@ -426,22 +431,22 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. CalamaresPython::Helper - + Unknown exception type Ismeretlen kivétel típus - + unparseable Python error nem egyeztethető Python hiba - + unparseable Python traceback nem egyeztethető Python visszakövetés - + Unfetchable Python error. Összehasonlíthatatlan Python hiba. @@ -458,32 +463,32 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. CalamaresWindow - + Show debug information Hibakeresési információk mutatása - + &Back &Vissza - + &Next &Következő - + &Cancel &Mégse - + %1 Setup Program %1 Program telepítése - + %1 Installer %1 Telepítő @@ -680,18 +685,18 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. CommandList - - + + Could not run command. A parancsot nem lehet futtatni. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. A parancs a gazdakörnyezetben fut, és ismernie kell a gyökér útvonalát, de nincs rootMountPoint megadva. - + The command needs to know the user's name, but no username is defined. A parancsnak tudnia kell a felhasználónevet, de az nincs megadva. @@ -744,50 +749,50 @@ Minden változtatás elveszik, ha kilépsz a telepítőből. Hálózati telepítés. (Kikapcsolva: A csomagokat nem lehet letölteni, ellenőrizd a hálózati kapcsolatot) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez. <br/>A telepítés nem folytatható. <a href="#details">Részletek...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/> Telepítés nem folytatható. <a href="#details">Részletek...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Ez a számítógép nem felel meg néhány követelménynek a %1 telepítéséhez. <br/>A telepítés folytatható de előfordulhat néhány képesség nem lesz elérhető. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/>Telepítés folytatható de néhány tulajdonság valószínűleg nem lesz elérhető. - + This program will ask you some questions and set up %2 on your computer. Ez a program fel fog tenni néhány kérdést és %2 -t telepíti a számítógépre. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Üdvözli önt a Calamares telepítő itt %1!</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Köszöntjük a %1 telepítőben!</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Üdvözlet a Calamares %1 telepítőjében.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Üdvözlet a %1 telepítőben.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> FillGlobalStorageJob - + Set partition information Partíció információk beállítása - + Install %1 on <strong>new</strong> %2 system partition. %1 telepítése az <strong>új</strong> %2 partícióra. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. <strong>Új</strong> %2 partíció beállítása <strong>%1</strong> csatolási ponttal. - + Install %2 on %3 system partition <strong>%1</strong>. %2 telepítése %3 <strong>%1</strong> rendszer partícióra. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. %3 partíció beállítása <strong>%1</strong> <strong>%2</strong> csatolási ponttal. - + Install boot loader on <strong>%1</strong>. Rendszerbetöltő telepítése ide <strong>%1</strong>. - + Setting up mount points. Csatlakozási pontok létrehozása @@ -1272,32 +1277,32 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a>Új&raindítás most - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Minden kész.</h1><br/>%1 telepítve lett a számítógépére. <br/>Most már használhatja az új rendszert. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span> gombra kattint vagy bezárja a telepítőt.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Sikeres művelet.</h1><br/>%1 telepítve lett a számítógépére.<br/>Újraindítás után folytathatod az %2 éles környezetben. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Ezt bejelölve a rendszer újra fog indulni amikor a <span style="font-style:italic;">Kész</span>gombra kattint vagy bezárja a telepítőt.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Telepítés nem sikerült</h1><br/>%1 nem lett telepítve a számítógépére. <br/>A hibaüzenet: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>A telepítés hibába ütközött.</h1><br/>%1 nem lett telepítve a számítógépre.<br/>A hibaüzenet: %2. @@ -1305,27 +1310,27 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> FinishedViewStep - + Finish Befejezés - + Setup Complete Telepítés Sikerült - + Installation Complete A telepítés befejeződött. - + The setup of %1 is complete. A telepítésből %1 van kész. - + The installation of %1 is complete. A %1 telepítése elkészült. @@ -1356,72 +1361,72 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> GeneralRequirements - + has at least %1 GiB available drive space legalább %1 GiB lemezterület elérhető - + There is not enough drive space. At least %1 GiB is required. Nincs elég lemezterület. Legalább %1 GiB szükséges. - + has at least %1 GiB working memory legalább %1 GiB memória elérhető - + The system does not have enough working memory. At least %1 GiB is required. A rendszer nem tartalmaz elég memóriát. Legalább %1 GiB szükséges. - + is plugged in to a power source csatlakoztatva van külső áramforráshoz - + The system is not plugged in to a power source. A rendszer nincs csatlakoztatva külső áramforráshoz - + is connected to the Internet csatlakozik az internethez - + The system is not connected to the Internet. A rendszer nem csatlakozik az internethez. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. A telepítő program nem adminisztrátori joggal fut. - + The installer is not running with administrator rights. A telepítő nem adminisztrátori jogokkal fut. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. A képernyő mérete túl kicsi a telepítő program megjelenítéséhez. - + The screen is too small to display the installer. A képernyőméret túl kicsi a telepítő megjelenítéséhez. @@ -1769,6 +1774,16 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a>Állítsa az OEM Batch azonosítót erre: <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a>Partíciók - + Install %1 <strong>alongside</strong> another operating system. %1 telepítése más operációs rendszer <strong>mellé</strong> . - + <strong>Erase</strong> disk and install %1. <strong>Lemez törlés</strong>és %1 telepítés. - + <strong>Replace</strong> a partition with %1. <strong>A partíció lecserélése</strong> a következővel: %1. - + <strong>Manual</strong> partitioning. <strong>Kézi</strong> partícionálás. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). %1 telepítése más operációs rendszer <strong>mellé</strong> a <strong>%2</strong> (%3) lemezen. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>%2 lemez törlése</strong> (%3) és %1 telepítés. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>A partíció lecserélése</strong> a <strong>%2</strong> lemezen(%3) a következővel: %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Kézi</strong> telepítés a <strong>%1</strong> (%2) lemezen. - + Disk <strong>%1</strong> (%2) Lemez <strong>%1</strong> (%2) - + Current: Aktuális: - + After: Utána: - + No EFI system partition configured Nincs EFI rendszer partíció beállítva - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI partíciós zászló nincs beállítva - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Indító partíció nincs titkosítva - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Egy külön indító partíció lett beállítva egy titkosított root partícióval, de az indító partíció nincs titkosítva.br/><br/>Biztonsági aggályok merülnek fel ilyen beállítás mellet, mert fontos fájlok nem titkosított partíción vannak tárolva. <br/>Ha szeretnéd, folytathatod így, de a fájlrendszer zárolása meg fog történni az indítás után. <br/> Az indító partíció titkosításához lépj vissza és az újra létrehozáskor válaszd a <strong>Titkosít</strong> opciót. - + has at least one disk device available. legalább egy lemez eszköz elérhető. - + There are no partitions to install on. @@ -2660,14 +2688,14 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> ProcessResult - + There was no output from the command. A parancsnak nem volt kimenete. - + Output: @@ -2676,52 +2704,52 @@ Kimenet: - + External command crashed. Külső parancs összeomlott. - + Command <i>%1</i> crashed. Parancs <i>%1</i> összeomlott. - + External command failed to start. A külső parancsot nem sikerült elindítani. - + Command <i>%1</i> failed to start. A(z) <i>%1</i> parancsot nem sikerült elindítani. - + Internal error when starting command. Belső hiba a parancs végrehajtásakor. - + Bad parameters for process job call. Hibás paraméterek a folyamat hívásához. - + External command failed to finish. Külső parancs nem fejeződött be. - + Command <i>%1</i> failed to finish in %2 seconds. A(z) <i>%1</i> parancsot nem sikerült befejezni %2 másodperc alatt. - + External command finished with errors. A külső parancs hibával fejeződött be. - + Command <i>%1</i> finished with exit code %2. A(z) <i>%1</i> parancs hibakóddal lépett ki: %2. @@ -2729,32 +2757,27 @@ Kimenet: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Követelmények ellenőrzése a <i>%1</i>modulhoz kész. - - - + unknown ismeretlen - + extended kiterjesztett - + unformatted formázatlan - + swap Swap @@ -2808,6 +2831,15 @@ Kimenet: Nem particionált, vagy ismeretlen partíció + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Kimenet: Adatlap - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Válaszd ki az telepítés helyét %1.<br/><font color="red">Figyelmeztetés: </font>minden fájl törölve lesz a kiválasztott partíción. - + The selected item does not appear to be a valid partition. A kiválasztott elem nem tűnik érvényes partíciónak. - + %1 cannot be installed on empty space. Please select an existing partition. %1 nem telepíthető, kérlek válassz egy létező partíciót. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 nem telepíthető a kiterjesztett partícióra. Kérlek, válassz egy létező elsődleges vagy logikai partíciót. - + %1 cannot be installed on this partition. Nem lehet telepíteni a következőt %1 erre a partícióra. - + Data partition (%1) Adat partíció (%1) - + Unknown system partition (%1) Ismeretlen rendszer partíció (%1) - + %1 system partition (%2) %1 rendszer partíció (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>A partíció %1 túl kicsi a következőhöz %2. Kérlek, válassz egy legalább %3 GB- os partíciót. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Az EFI rendszerpartíció nem található a rendszerben. Kérlek, lépj vissza és állítsd be manuális partícionálással %1- et. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 installálva lesz a következőre: %2.<br/><font color="red">Figyelmeztetés: </font>a partíción %2 minden törölve lesz. - + The EFI system partition at %1 will be used for starting %2. A %2 indításához az EFI rendszer partíciót használja a következőn: %1 - + EFI system partition: EFI rendszer partíció: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Kimenet: ResultsListDialog - + For best results, please ensure that this computer: A legjobb eredményért győződjünk meg, hogy ez a számítógép: - + System requirements Rendszer követelmények @@ -3045,28 +3092,28 @@ Kimenet: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez. <br/>A telepítés nem folytatható. <a href="#details">Részletek...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/> Telepítés nem folytatható. <a href="#details">Részletek...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Ez a számítógép nem felel meg néhány követelménynek a %1 telepítéséhez. <br/>A telepítés folytatható de előfordulhat néhány képesség nem lesz elérhető. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ez a számítógép nem felel meg a minimum követelményeknek a %1 telepítéséhez.<br/>Telepítés folytatható de néhány tulajdonság valószínűleg nem lesz elérhető. - + This program will ask you some questions and set up %2 on your computer. Ez a program fel fog tenni néhány kérdést és %2 -t telepíti a számítógépre. @@ -3349,51 +3396,80 @@ Telepítés nem folytatható. <a href="#details">Részletek...</a> TrackingInstallJob - + Installation feedback Visszajelzés a telepítésről - + Sending installation feedback. Telepítési visszajelzés küldése. - + Internal error in install-tracking. Hiba a telepítő nyomkövetésben. - + HTTP request timed out. HTTP kérés ideje lejárt. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Gépi visszajelzés - + Configuring machine feedback. Gépi visszajelzés konfigurálása. - - + + Error in machine feedback configuration. Hiba a gépi visszajelzés konfigurálásában. - + Could not configure machine feedback correctly, script error %1. Gépi visszajelzés konfigurálása nem megfelelő, script hiba %1. - + Could not configure machine feedback correctly, Calamares error %1. Gépi visszajelzés konfigurálása nem megfelelő,. Calamares hiba %1. @@ -3413,8 +3489,8 @@ Calamares hiba %1. - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Ezt kiválasztva te<span style=" font-weight:600;">nem tudsz küldeni információt</span>a telepítésről.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3422,30 +3498,30 @@ Calamares hiba %1. <html><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;"> Kattints ide bővebb információért a felhasználói visszajelzésről </span></a></p></body><head/></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - A telepítés nyomkövetése %1 segít látni, hogy hány felhasználója van, milyen eszközre , %1 és (az alábbi utolsó két opcióval), folyamatosan kapunk információt az előnyben részesített alkalmazásokról. Hogy lásd mi lesz elküldve kérlek kattints a súgó ikonra a mező mellett. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Ezt kiválasztva információt fogsz küldeni a telepítésről és a számítógépről. Ez az információ <b>csak egyszer lesz </b>elküldve telepítés után. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Ezt kiválasztva információt fogsz küldeni <b>időközönként</b> a telepítésről, számítógépről, alkalmazásokról ide %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Ezt kiválasztva<b> rendszeresen</b> fogsz információt küldeni a telepítésről, számítógépről, alkalmazásokról és használatukról ide %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Visszacsatolás @@ -3631,42 +3707,42 @@ Calamares hiba %1. &Kiadási megjegyzések - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Üdvözli önt a Calamares telepítő itt %1!</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Köszöntjük a %1 telepítőben!</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Üdvözlet a Calamares %1 telepítőjében.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Üdvözlet a %1 telepítőben.</h1> - + %1 support %1 támogatás - + About %1 setup A %1 telepítőről. - + About %1 installer A %1 telepítőről - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3674,7 +3750,7 @@ Calamares hiba %1. WelcomeQmlViewStep - + Welcome Üdvözlet @@ -3682,7 +3758,7 @@ Calamares hiba %1. WelcomeViewStep - + Welcome Üdvözlet @@ -3711,6 +3787,26 @@ Calamares hiba %1. + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3756,6 +3852,24 @@ Calamares hiba %1. + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3807,27 +3921,27 @@ Calamares hiba %1. - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_id.ts b/lang/calamares_id.ts index b998c2072..f7cc5b54e 100644 --- a/lang/calamares_id.ts +++ b/lang/calamares_id.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instal @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Selesai @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Menjalankan perintah %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Menjalankan %1 operasi. - + Bad working directory path Jalur lokasi direktori tidak berjalan baik - + Working directory %1 for python job %2 is not readable. Direktori kerja %1 untuk penugasan python %2 tidak dapat dibaca. - + Bad main script file Berkas skrip utama buruk - + Main script file %1 for python job %2 is not readable. Berkas skrip utama %1 untuk penugasan python %2 tidak dapat dibaca. - + Boost.Python error in job "%1". Boost.Python mogok dalam penugasan "%1". @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). - + (%n second(s)) - + System-requirements checking is complete. @@ -271,13 +276,13 @@ - + &Yes &Ya - + &No &Tidak @@ -312,108 +317,108 @@ <br/>Modul berikut tidak dapat dimuat. - + Continue with setup? Lanjutkan dengan setelan ini? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Installer %1 akan membuat perubahan ke disk Anda untuk memasang %2.<br/><strong>Anda tidak dapat membatalkan perubahan tersebut.</strong> - + &Set up now - + &Install now &Instal sekarang - + Go &back &Kembali - + &Set up - + &Install &Instal - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Instalasi sudah lengkap. Tutup installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Batalkan instalasi tanpa mengubah sistem yang ada. - + &Next &Berikutnya - + &Back &Kembali - + &Done &Kelar - + &Cancel &Batal - + Cancel setup? - + Cancel installation? Batalkan instalasi? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Apakah Anda benar-benar ingin membatalkan proses instalasi ini? @@ -423,22 +428,22 @@ Instalasi akan ditutup dan semua perubahan akan hilang. CalamaresPython::Helper - + Unknown exception type Tipe pengecualian tidak dikenal - + unparseable Python error tidak dapat mengurai pesan kesalahan Python - + unparseable Python traceback tidak dapat mengurai penelusuran balik Python - + Unfetchable Python error. Tidak dapat mengambil pesan kesalahan Python. @@ -455,32 +460,32 @@ Instalasi akan ditutup dan semua perubahan akan hilang. CalamaresWindow - + Show debug information Tampilkan informasi debug - + &Back &Kembali - + &Next &Berikutnya - + &Cancel &Batal - + %1 Setup Program - + %1 Installer Installer %1 @@ -677,18 +682,18 @@ Instalasi akan ditutup dan semua perubahan akan hilang. CommandList - - + + Could not run command. Tidak dapat menjalankan perintah - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Perintah berjalan di lingkungan host dan perlu diketahui alur root-nya, tetapi bukan rootMountPoint yang ditentukan. - + The command needs to know the user's name, but no username is defined. Perintah perlu diketahui nama si pengguna, tetapi bukan nama pengguna yang ditentukan. @@ -741,51 +746,51 @@ Instalasi akan ditutup dan semua perubahan akan hilang. Instalasi Jaringan. (Dinonfungsikan: Tak mampu menarik daftar paket, periksa sambungan jaringanmu) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Komputer ini tidak memenuhi syarat minimum untuk memasang %1. Installer tidak dapat dilanjutkan. <a href=" - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Komputer ini tidak memenuhi beberapa syarat yang dianjurkan untuk memasang %1. Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - + This program will ask you some questions and set up %2 on your computer. Program ini akan mengajukan beberapa pertanyaan dan menyetel %2 pada komputer Anda. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Selamat datang di Calamares installer untuk %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Selamat datang di installer %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. FillGlobalStorageJob - + Set partition information Tetapkan informasi partisi - + Install %1 on <strong>new</strong> %2 system partition. Instal %1 pada partisi sistem %2 <strong>baru</strong> - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Setel partisi %2 <strong>baru</strong> dengan tempat kait <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instal %2 pada sistem partisi %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Setel partisi %3 <strong>%1</strong> dengan tempat kait <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instal boot loader di <strong>%1</strong>. - + Setting up mount points. Menyetel tempat kait. @@ -1270,32 +1275,32 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.Mulai ulang seka&rang - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Selesai.</h1><br>%1 sudah terinstal di komputer Anda.<br/>Anda dapat memulai ulang ke sistem baru atau lanjut menggunakan lingkungan Live %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalasi Gagal</h1><br/>%1 tidak bisa diinstal pada komputermu.<br/>Pesan galatnya adalah: %2. @@ -1303,27 +1308,27 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. FinishedViewStep - + Finish Selesai - + Setup Complete - + Installation Complete Instalasi Lengkap - + The setup of %1 is complete. - + The installation of %1 is complete. Instalasi %1 telah lengkap. @@ -1354,72 +1359,72 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source terhubung dengan sumber listrik - + The system is not plugged in to a power source. Sistem tidak terhubung dengan sumber listrik. - + is connected to the Internet terkoneksi dengan internet - + The system is not connected to the Internet. Sistem tidak terkoneksi dengan internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Installer tidak dijalankan dengan kewenangan administrator. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Layar terlalu kecil untuk menampilkan installer. @@ -1767,6 +1772,16 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.Paritsi - + Install %1 <strong>alongside</strong> another operating system. Instal %1 <strong>berdampingan</strong> dengan sistem operasi lain. - + <strong>Erase</strong> disk and install %1. <strong>Hapus</strong> diska dan instal %1. - + <strong>Replace</strong> a partition with %1. <strong>Ganti</strong> partisi dengan %1. - + <strong>Manual</strong> partitioning. Partisi <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instal %1 <strong>berdampingan</strong> dengan sistem operasi lain di disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Hapus</strong> diska <strong>%2</strong> (%3) dan instal %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Ganti</strong> partisi pada diska <strong>%2</strong> (%3) dengan %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Partisi Manual</strong> pada diska <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Saat ini: - + After: Sesudah: - + No EFI system partition configured Tiada partisi sistem EFI terkonfigurasi - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Bendera partisi sistem EFI tidak disetel - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partisi boot tidak dienkripsi - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Sebuah partisi tersendiri telah terset bersama dengan sebuah partisi root terenkripsi, tapi partisi boot tidak terenkripsi.<br/><br/>Ada kekhawatiran keamanan dengan jenis setup ini, karena file sistem penting tetap pada partisi tak terenkripsi.<br/>Kamu bisa melanjutkan jika kamu menghendaki, tapi filesystem unlocking akan terjadi nanti selama memulai sistem.<br/>Untuk mengenkripsi partisi boot, pergi mundur dan menciptakannya ulang, memilih <strong>Encrypt</strong> di jendela penciptaan partisi. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,14 +2686,14 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. ProcessResult - + There was no output from the command. Tidak ada keluaran dari perintah. - + Output: @@ -2674,52 +2702,52 @@ Keluaran: - + External command crashed. Perintah eksternal rusak. - + Command <i>%1</i> crashed. Perintah <i>%1</i> mogok. - + External command failed to start. Perintah eksternal gagal dimulai - + Command <i>%1</i> failed to start. Perintah <i>%1</i> gagal dimulai. - + Internal error when starting command. Terjadi kesalahan internal saat menjalankan perintah. - + Bad parameters for process job call. Parameter buruk untuk memproses panggilan tugas, - + External command failed to finish. Perintah eksternal gagal diselesaikan . - + Command <i>%1</i> failed to finish in %2 seconds. Perintah <i>%1</i> gagal untuk diselesaikan dalam %2 detik. - + External command finished with errors. Perintah eksternal diselesaikan dengan kesalahan . - + Command <i>%1</i> finished with exit code %2. Perintah <i>%1</i> diselesaikan dengan kode keluar %2. @@ -2727,32 +2755,27 @@ Keluaran: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown tidak diketahui: - + extended extended - + unformatted tidak terformat: - + swap swap @@ -2806,6 +2829,15 @@ Keluaran: Ruang tidak terpartisi atau tidak diketahui tabel partisinya + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Keluaran: Isian - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Pilih tempat instalasi %1.<br/><font color="red">Peringatan: </font>hal ini akan menghapus semua berkas di partisi terpilih. - + The selected item does not appear to be a valid partition. Item yang dipilih tidak tampak seperti partisi yang valid. - + %1 cannot be installed on empty space. Please select an existing partition. %1 tidak dapat diinstal di ruang kosong. Mohon pilih partisi yang tersedia. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 tidak bisa diinstal pada Partisi Extended. Mohon pilih Partisi Primary atau Logical yang tersedia. - + %1 cannot be installed on this partition. %1 tidak dapat diinstal di partisi ini. - + Data partition (%1) Partisi data (%1) - + Unknown system partition (%1) Partisi sistem tidak dikenal (%1) - + %1 system partition (%2) Partisi sistem %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partisi %1 teralu kecil untuk %2. Mohon pilih partisi dengan kapasitas minimal %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Tidak ditemui adanya Partisi EFI pada sistem ini. Mohon kembali dan gunakan Pemartisi Manual untuk set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 akan diinstal pada %2.<br/><font color="red">Peringatan: </font>seluruh data %2 akan hilang. - + The EFI system partition at %1 will be used for starting %2. Partisi EFI pada %1 akan digunakan untuk memulai %2. - + EFI system partition: Partisi sistem EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Keluaran: ResultsListDialog - + For best results, please ensure that this computer: Untuk hasil terbaik, mohon pastikan bahwa komputer ini: - + System requirements Kebutuhan sistem @@ -3043,29 +3090,29 @@ Keluaran: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Komputer ini tidak memenuhi syarat minimum untuk memasang %1. Installer tidak dapat dilanjutkan. <a href=" - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Komputer ini tidak memenuhi beberapa syarat yang dianjurkan untuk memasang %1. Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - + This program will ask you some questions and set up %2 on your computer. Program ini akan mengajukan beberapa pertanyaan dan menyetel %2 pada komputer Anda. @@ -3348,51 +3395,80 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. TrackingInstallJob - + Installation feedback Umpan balik instalasi. - + Sending installation feedback. Mengirim umpan balik installasi. - + Internal error in install-tracking. Galat intern di pelacakan-instalasi. - + HTTP request timed out. Permintaan waktu HTTP habis. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Mesin umpan balik - + Configuring machine feedback. Mengkonfigurasi mesin umpan balik. - - + + Error in machine feedback configuration. Galat di konfigurasi mesin umpan balik. - + Could not configure machine feedback correctly, script error %1. Tidak dapat mengkonfigurasi mesin umpan balik dengan benar, naskah galat %1 - + Could not configure machine feedback correctly, Calamares error %1. Tidak dapat mengkonfigurasi mesin umpan balik dengan benar, Calamares galat %1. @@ -3411,8 +3487,8 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Dengan memilih ini, Anda akan mengirim <span style=" font-weight:600;">tidak ada informasi di </span> tentang instalasi Anda. </p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.<html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klik disini untuk informasi lebih lanjut tentang umpan balik pengguna </span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Instal bantuan pelacakan %1 untuk melihat berapa banyak pengguna memiliki, piranti keras apa yang mereka instal %1 dan (dengan dua pilihan terakhir), dapatkan informasi berkelanjutan tentang aplikasi yang disukai. Untuk melihat apa yang akan dikirim, silakan klik ikon bantuan ke beberapa area selanjtunya. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Dengan memilih ini Anda akan mengirim informasi tentang instalasi dan piranti keras Anda. Informasi ini hanya akan <b>dikirim sekali</b> setelah instalasi selesai. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Dengan memilih ini anda akan <b> secara berkala</b> mengirim informasi tentang instalasi, piranti keras dan aplikasi Anda, ke %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Dengan memilih ini anda akan<b>secara teratur</b> mengirim informasi tentang instalasi, piranti keras, aplikasi dan pola pemakaian Anda, ke %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Umpan balik @@ -3629,42 +3705,42 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan.&Catatan rilis - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Selamat datang di Calamares installer untuk %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Selamat datang di installer %1.</h1> - + %1 support Dukungan %1 - + About %1 setup - + About %1 installer Tentang installer %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. WelcomeQmlViewStep - + Welcome Selamat Datang @@ -3680,7 +3756,7 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. WelcomeViewStep - + Welcome Selamat Datang @@ -3709,6 +3785,26 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3754,6 +3850,24 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3805,27 +3919,27 @@ Instalasi dapat dilanjutkan, namun beberapa fitur akan dinonfungsikan. - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_is.ts b/lang/calamares_is.ts index 136e66882..81316b92d 100644 --- a/lang/calamares_is.ts +++ b/lang/calamares_is.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Setja upp - + Install Setja upp @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Verk mistókst (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Búið @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Keyri skipun %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Keyri %1 aðgerð. - + Bad working directory path Röng slóð á vinnumöppu - + Working directory %1 for python job %2 is not readable. Vinnslumappa %1 fyrir python-verkið %2 er ekki lesanleg. - + Bad main script file Röng aðal-skriftuskrá - + Main script file %1 for python job %2 is not readable. Aðal-skriftuskrá %1 fyrir python-verkið %2 er ekki lesanleg. - + Boost.Python error in job "%1". Boost.Python villa í verkinu "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Já - + &No &Nei @@ -314,108 +319,108 @@ - + Continue with setup? Halda áfram með uppsetningu? - + Continue with installation? Halda áfram með uppsetningu? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 uppsetningarforritið er um það bil að gera breytingar á diskinum til að setja upp %2.<br/><strong>Þú munt ekki geta afturkallað þessar breytingar.</strong> - + &Set up now &Setja upp núna - + &Install now Setja &inn núna - + Go &back Fara til &baka - + &Set up &Setja upp - + &Install &Setja upp - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Uppsetning er lokið. Lokaðu uppsetningarforritinu. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Hætta við uppsetningu ánþess að breyta kerfinu. - + &Next &Næst - + &Back &Til baka - + &Done &Búið - + &Cancel &Hætta við - + Cancel setup? Hætta við uppsetningu? - + Cancel installation? Hætta við uppsetningu? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Viltu virkilega að hætta við núverandi uppsetningarferli? @@ -425,22 +430,22 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CalamaresPython::Helper - + Unknown exception type Óþekkt tegund fráviks - + unparseable Python error óþáttanleg Python villa - + unparseable Python traceback óþáttanleg Python reki - + Unfetchable Python error. Ósækjanleg Python villa. @@ -457,32 +462,32 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CalamaresWindow - + Show debug information Birta villuleitarupplýsingar - + &Back &Til baka - + &Next &Næst - + &Cancel &Hætta við - + %1 Setup Program - + %1 Installer %1 uppsetningarforrit @@ -679,18 +684,18 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. CommandList - - + + Could not run command. Gat ekki keyrt skipun. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -743,49 +748,49 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu %1.<br/>Uppsetningin getur ekki haldið áfram. <a href="#details">Upplýsingar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirk. - + This program will ask you some questions and set up %2 on your computer. Þetta forrit mun spyrja þig nokkurra spurninga og setja upp %2 á tölvunni þinni. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Velkomin til Calamares uppsetningarforritið fyrir %1</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Velkomin í %1 uppsetninguna.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Velkomin til Calamares uppsetningar fyrir %1</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Velkomin í %1 uppsetningarforritið.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. FillGlobalStorageJob - + Set partition information Setja upplýsingar um disksneið - + Install %1 on <strong>new</strong> %2 system partition. Setja upp %1 á <strong>nýja</strong> %2 disk sneiðingu. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Setja upp <strong>nýtt</strong> %2 snið með tengipunkti <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Setja upp %2 á %3 disk sneiðingu <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Setja upp %3 snið <strong>%1</strong> með tengipunkti <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Setja ræsistjórann upp á <strong>%1</strong>. - + Setting up mount points. Set upp tengipunkta. @@ -1270,32 +1275,32 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. &Endurræsa núna - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Allt klárt.</h1><br/>%1 hefur verið sett upp á tölvunni þinni.<br/>Þú getur nú endurræst í nýja kerfið, eða halda áfram að nota %2 Lifandi umhverfi. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1303,27 +1308,27 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. FinishedViewStep - + Finish Ljúka - + Setup Complete Uppsetningu lokið - + Installation Complete Uppsetningu lokið - + The setup of %1 is complete. Uppsetningu á %1 er lokið. - + The installation of %1 is complete. Uppsetningu á %1 er lokið. @@ -1354,72 +1359,72 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source er í sambandi við aflgjafa - + The system is not plugged in to a power source. Kerfið er ekki í sambandi við aflgjafa. - + is connected to the Internet er tengd við Internetið - + The system is not connected to the Internet. Kerfið er ekki tengd við internetið. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Uppsetningarforritið er ekki keyrandi með kerfisstjóraheimildum. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Skjárinn er of lítill til að birta uppsetningarforritið. @@ -1767,6 +1772,16 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. Disksneiðar - + Install %1 <strong>alongside</strong> another operating system. Setja upp %1 <strong>ásamt</strong> ásamt öðru stýrikerfi. - + <strong>Erase</strong> disk and install %1. <strong>Eyða</strong> disk og setja upp %1. - + <strong>Replace</strong> a partition with %1. <strong>Skipta út</strong> disksneið með %1. - + <strong>Manual</strong> partitioning. <strong>Handvirk</strong> disksneiðaskipting. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Uppsetning %1 <strong>með</strong> öðru stýrikerfi á disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Eyða</strong> disk <strong>%2</strong> (%3) og setja upp %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Skipta út</strong> disksneið á diski <strong>%2</strong> (%3) með %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Handvirk</strong> disksneiðaskipting á diski <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Diskur <strong>%1</strong> (%2) - + Current: Núverandi: - + After: Eftir: - + No EFI system partition configured Ekkert EFI kerfisdisksneið stillt - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,65 +2686,65 @@ Uppsetningarforritið mun hætta og allar breytingar tapast. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2724,32 +2752,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown óþekkt - + extended útvíkkuð - + unformatted ekki forsniðin - + swap swap diskminni @@ -2803,6 +2826,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2838,73 +2870,88 @@ Output: Eyðublað - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Veldu hvar á að setja upp %1.<br/><font color="red">Aðvörun: </font>þetta mun eyða öllum skrám á valinni disksneið. - + The selected item does not appear to be a valid partition. Valið atriði virðist ekki vera gild disksneið. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. %1 er hægt að setja upp á þessari disksneið. - + Data partition (%1) Gagnadisksneið (%1) - + Unknown system partition (%1) Óþekkt kerfisdisksneið (%1) - + %1 system partition (%2) %1 kerfisdisksneið (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Disksneið %1 er of lítil fyrir %2. Vinsamlegast veldu disksneið með að lámark %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI kerfisdisksneið er hvergi að finna á þessu kerfi. Vinsamlegast farðu til baka og notaðu handvirka skiptingu til að setja upp %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 mun vera sett upp á %2.<br/><font color="red">Aðvörun: </font>öll gögn á disksneið %2 mun verða eytt. - + The EFI system partition at %1 will be used for starting %2. EFI kerfis stýring á %1 mun vera notuð til að byrja %2. - + EFI system partition: EFI kerfisdisksneið: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3027,12 +3074,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Fyrir bestu niðurstöður, skaltu tryggja að þessi tölva: - + System requirements Kerfiskröfur @@ -3040,27 +3087,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu %1.<br/>Uppsetningin getur ekki haldið áfram. <a href="#details">Upplýsingar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Þessi tölva uppfyllir ekki lágmarkskröfur um uppsetningu %1.<br/>Uppsetningin getur haldið áfram, en sumir eiginleikar gætu verið óvirk. - + This program will ask you some questions and set up %2 on your computer. Þetta forrit mun spyrja þig nokkurra spurninga og setja upp %2 á tölvunni þinni. @@ -3343,51 +3390,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3406,7 +3482,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3415,30 +3491,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3624,42 +3700,42 @@ Output: &Um útgáfu - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Velkomin til Calamares uppsetningarforritið fyrir %1</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Velkomin í %1 uppsetninguna.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Velkomin til Calamares uppsetningar fyrir %1</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Velkomin í %1 uppsetningarforritið.</h1> - + %1 support %1 stuðningur - + About %1 setup Um %1 uppsetninguna - + About %1 installer Um %1 uppsetningarforrrit - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3667,7 +3743,7 @@ Output: WelcomeQmlViewStep - + Welcome Velkomin(n) @@ -3675,7 +3751,7 @@ Output: WelcomeViewStep - + Welcome Velkomin(n) @@ -3704,6 +3780,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3749,6 +3845,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3800,27 +3914,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_it_IT.ts b/lang/calamares_it_IT.ts index 2f8a26f6a..3a36cc2a8 100644 --- a/lang/calamares_it_IT.ts +++ b/lang/calamares_it_IT.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Impostazione - + Install Installa @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Operazione fallita (%1) - + Programmed job failure was explicitly requested. Il fallimento dell'operazione programmata è stato richiesto esplicitamente. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Fatto @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Operazione d'esempio (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Esegui il comando '%1' nel sistema di destinazione - + Run command '%1'. Esegui il comando '1%'. - + Running command %1 %2 Comando in esecuzione %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Operazione %1 in esecuzione. - + Bad working directory path Il percorso della cartella corrente non è corretto - + Working directory %1 for python job %2 is not readable. La cartella corrente %1 per l'attività di Python %2 non è accessibile. - + Bad main script file File dello script principale non valido - + Main script file %1 for python job %2 is not readable. Il file principale dello script %1 per l'attività di python %2 non è accessibile. - + Boost.Python error in job "%1". Errore da Boost.Python nell'operazione "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Il controllo dei requisiti per il modulo <i>%1</i> è completo. + - + Waiting for %n module(s). In attesa del(i) modulo(i) %n. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n secondo) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Il controllo dei requisiti di sistema è completo. @@ -273,13 +278,13 @@ - + &Yes &Si - + &No &No @@ -314,108 +319,108 @@ <br/>I seguenti moduli non possono essere caricati: - + Continue with setup? Procedere con la configurazione? - + Continue with installation? Continuare l'installazione? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Il programma d'installazione %1 sta per modificare il disco di per installare %2. Non sarà possibile annullare queste modifiche. - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Il programma d'installazione %1 sta per eseguire delle modifiche al tuo disco per poter installare %2.<br/><strong> Non sarà possibile annullare tali modifiche.</strong> - + &Set up now &Installa adesso - + &Install now &Installa adesso - + Go &back &Indietro - + &Set up &Installazione - + &Install &Installa - + Setup is complete. Close the setup program. Installazione completata. Chiudere il programma d'installazione. - + The installation is complete. Close the installer. L'installazione è terminata. Chiudere il programma d'installazione. - + Cancel setup without changing the system. Annulla l'installazione senza modificare il sistema. - + Cancel installation without changing the system. Annullare l'installazione senza modificare il sistema. - + &Next &Avanti - + &Back &Indietro - + &Done &Fatto - + &Cancel &Annulla - + Cancel setup? Annullare l'installazione? - + Cancel installation? Annullare l'installazione? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Si vuole annullare veramente il processo di installazione? Il programma d'installazione verrà terminato e tutti i cambiamenti saranno persi. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Si vuole davvero annullare l'installazione in corso? @@ -425,22 +430,22 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CalamaresPython::Helper - + Unknown exception type Tipo di eccezione sconosciuto - + unparseable Python error Errore Python non definibile - + unparseable Python traceback Traceback Python non definibile - + Unfetchable Python error. Errore di Python non definibile. @@ -458,32 +463,32 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CalamaresWindow - + Show debug information Mostra le informazioni di debug - + &Back &Indietro - + &Next &Avanti - + &Cancel &Annulla - + %1 Setup Program %1 Programma d'installazione - + %1 Installer %1 Programma di installazione @@ -680,18 +685,18 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse CommandList - - + + Could not run command. Impossibile eseguire il comando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Il comando viene eseguito nell'ambiente host e richiede il percorso di root ma nessun rootMountPoint (punto di montaggio di root) è definito. - + The command needs to know the user's name, but no username is defined. Il comando richiede il nome utente, nessun nome utente definito. @@ -744,49 +749,49 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Installazione di rete. (Disabilitata: impossibile recuperare le liste dei pacchetti, controllare la connessione di rete) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Questo computer non soddisfa i requisiti minimi per la configurazione di %1.<br/>La configurazione non può continuare. <a href="#details">Dettagli...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Questo computer non soddisfa i requisiti minimi per installare %1. <br/>L'installazione non può continuare. <a href="#details">Dettagli...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Questo computer non soddisfa alcuni requisiti raccomandati per la configurazione di %1.<br/>La configurazione può continuare ma alcune funzionalità potrebbero essere disabilitate. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Questo computer non soddisfa alcuni requisiti consigliati per l'installazione di %1.<br/>L'installazione può continuare ma alcune funzionalità potrebbero non essere disponibili. - + This program will ask you some questions and set up %2 on your computer. Questo programma chiederà alcune informazioni e configurerà %2 sul computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Benvenuto nel programma di configurazione Calamares per %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Benvenuto nella configurazione di %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Benvenuti nel programma d'installazione Calamares per %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Benvenuto nel programma d'installazione di %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse FillGlobalStorageJob - + Set partition information Impostare informazioni partizione - + Install %1 on <strong>new</strong> %2 system partition. Installare %1 sulla <strong>nuova</strong> partizione di sistema %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Impostare la <strong>nuova</strong> %2 partizione con punto di mount <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installare %2 sulla partizione di sistema %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Impostare la partizione %3 <strong>%1</strong> con punto di montaggio <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installare il boot loader su <strong>%1</strong>. - + Setting up mount points. Impostazione dei punti di mount. @@ -1271,32 +1276,32 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse &Riavviare ora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Tutto eseguito.</h1><br/>%1 è stato configurato sul tuo computer.<br/>Adesso puoi iniziare a utilizzare il tuo nuovo sistema. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Quando questa casella è selezionata, il tuo computer verrà riavviato immediatamente quando clicchi su <span style="font-style:italic;">Finito</span> oppure chiudi il programma di setup.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Tutto fatto.</ h1><br/>%1 è stato installato sul computer.<br/>Ora è possibile riavviare il sistema, o continuare a utilizzare l'ambiente Live di %2 . - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Quando questa casella è selezionata, il tuo sistema si riavvierà immediatamente quando clicchi su <span style="font-style:italic;">Fatto</span> o chiudi il programma di installazione.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Installazione fallita</h1><br/>%1 non è stato installato sul tuo computer.<br/>Il messaggio di errore è: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installazione Fallita</h1><br/>%1 non è stato installato sul tuo computer.<br/>Il messaggio di errore è: %2 @@ -1304,27 +1309,27 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse FinishedViewStep - + Finish Termina - + Setup Complete Installazione completata - + Installation Complete Installazione completata - + The setup of %1 is complete. L'installazione di %1 è completa - + The installation of %1 is complete. L'installazione di %1 è completata. @@ -1355,72 +1360,72 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse GeneralRequirements - + has at least %1 GiB available drive space ha almeno %1 GiB di spazio disponibile - + There is not enough drive space. At least %1 GiB is required. Non c'è abbastanza spazio sul disco. E' richiesto almeno %1 GiB - + has at least %1 GiB working memory ha almeno %1 GiB di memoria - + The system does not have enough working memory. At least %1 GiB is required. Il sistema non ha abbastanza memoria. E' richiesto almeno %1 GiB - + is plugged in to a power source è collegato a una presa di alimentazione - + The system is not plugged in to a power source. Il sistema non è collegato a una presa di alimentazione. - + is connected to the Internet è connesso a Internet - + The system is not connected to the Internet. Il sistema non è connesso a internet. - + is running the installer as an administrator (root) sta eseguendo il programma di installazione come amministratore (root) - + The setup program is not running with administrator rights. Il programma di installazione non è stato lanciato con i permessi di amministratore. - + The installer is not running with administrator rights. Il programma di installazione non è stato avviato con i diritti di amministrazione. - + has a screen large enough to show the whole installer ha uno schermo abbastanza grande da mostrare l'intero programma di installazione - + The screen is too small to display the setup program. Lo schermo è troppo piccolo per mostrare il programma di installazione - + The screen is too small to display the installer. Schermo troppo piccolo per mostrare il programma d'installazione. @@ -1768,6 +1773,16 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Non è impostato alcun punto di montaggio root per MachineId + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Impostare l'Identificatore del Lotto OEM a <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse Partizioni - + Install %1 <strong>alongside</strong> another operating system. Installare %1 <strong>a fianco</strong> di un altro sistema operativo. - + <strong>Erase</strong> disk and install %1. <strong>Cancellare</strong> il disco e installare %1. - + <strong>Replace</strong> a partition with %1. <strong>Sostituire</strong> una partizione con %1. - + <strong>Manual</strong> partitioning. Partizionamento <strong>manuale</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Installare %1 <strong>a fianco</strong> di un altro sistema operativo sul disco<strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Cancellare</strong> il disco <strong>%2</strong> (%3) e installa %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Sostituire</strong> una partizione sul disco <strong>%2</strong> (%3) con %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Partizionamento <strong>manuale</strong> sul disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1</strong> (%2) - + Current: Corrente: - + After: Dopo: - + No EFI system partition configured Nessuna partizione EFI di sistema è configurata - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Una partizione EFI è necessaria per avviare %1.<br/><br/> Per configurare una partizione EFI, tornare indietro e selezionare o creare un filesystem FAT32 con il parametro<strong>%3</strong>abilitato e punto di montaggio <strong>%2</strong>. <br/><br/>Si può continuare senza impostare una partizione EFI ma il sistema potrebbe non avviarsi correttamente. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Una partizione EFI è necessaria per avviare %1.<br/><br/> Una partizione è stata configurata con punto di montaggio <strong>%2</strong> ma il suo parametro <strong>%3</strong> non è impostato.<br/>Per impostare il flag, tornare indietro e modificare la partizione.<br/><br/>Si può continuare senza impostare il parametro ma il sistema potrebbe non avviarsi correttamente. - + EFI system partition flag not set Il flag della partizione EFI di sistema non è impostato. - + Option to use GPT on BIOS Opzione per usare GPT su BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Una tabella partizioni GPT è la migliore opzione per tutti i sistemi. Comunque il programma d'installazione supporta anche la tabella di tipo BIOS. <br/><br/>Per configurare una tabella partizioni GPT su BIOS (se non già configurata) tornare indietro e impostare la tabella partizioni a GPT e creare una partizione non formattata di 8 MB con opzione <strong>bios_grub</strong> abilitata.<br/><br/>Una partizione non formattata di 8 MB è necessaria per avviare %1 su un sistema BIOS con GPT. - + Boot partition not encrypted Partizione di avvio non criptata - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. E' stata configurata una partizione di avvio non criptata assieme ad una partizione root criptata. <br/><br/>Ci sono problemi di sicurezza con questo tipo di configurazione perchè dei file di sistema importanti sono tenuti su una partizione non criptata.<br/>Si può continuare se lo si desidera ma dopo ci sarà lo sblocco del file system, durante l'avvio del sistema.<br/>Per criptare la partizione di avvio, tornare indietro e ricrearla, selezionando <strong>Criptare</strong> nella finestra di creazione della partizione. - + has at least one disk device available. ha almeno un'unità disco disponibile. - + There are no partitions to install on. Non ci sono partizioni su cui installare. @@ -2659,13 +2687,13 @@ Il programma d'installazione sarà terminato e tutte le modifiche andranno perse ProcessResult - + There was no output from the command. Non c'era output dal comando. - + Output: @@ -2674,53 +2702,53 @@ Output: - + External command crashed. Il comando esterno si è arrestato. - + Command <i>%1</i> crashed. Il comando <i>%1</i> si è arrestato. - + External command failed to start. Il comando esterno non si è avviato. - + Command <i>%1</i> failed to start. Il comando %1 non si è avviato. - + Internal error when starting command. Errore interno all'avvio del comando. - + Bad parameters for process job call. Parametri errati per elaborare la chiamata al job. - + External command failed to finish. Il comando esterno non è stato portato a termine. - + Command <i>%1</i> failed to finish in %2 seconds. Il comando <i>%1</i> non è stato portato a termine in %2 secondi. - + External command finished with errors. Il comando esterno è terminato con errori. - + Command <i>%1</i> finished with exit code %2. Il comando <i>%1</i> è terminato con codice di uscita %2. @@ -2728,32 +2756,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Il controllo dei requisiti per il modulo <i>%1</i> è completo. - - - + unknown sconosciuto - + extended estesa - + unformatted non formattata - + swap swap @@ -2807,6 +2830,15 @@ Output: Spazio non partizionato o tabella delle partizioni sconosciuta + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Output: Modulo - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Selezionare dove installare %1.<br/><font color="red">Attenzione: </font>questo eliminerà tutti i file dalla partizione selezionata. - + The selected item does not appear to be a valid partition. L'elemento selezionato non sembra essere una partizione valida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 non può essere installato su spazio non partizionato. Si prega di selezionare una partizione esistente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 non può essere installato su una partizione estesa. Si prega di selezionare una partizione primaria o logica esistente. - + %1 cannot be installed on this partition. %1 non può essere installato su questa partizione. - + Data partition (%1) Partizione dati (%1) - + Unknown system partition (%1) Partizione di sistema sconosciuta (%1) - + %1 system partition (%2) %1 partizione di sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>La partizione %1 è troppo piccola per %2. Si prega di selezionare una partizione con capacità di almeno %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Nessuna partizione EFI di sistema rilevata. Si prega di tornare indietro e usare il partizionamento manuale per configurare %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 sarà installato su %2.<br/><font color="red">Attenzione: </font>tutti i dati sulla partizione %2 saranno persi. - + The EFI system partition at %1 will be used for starting %2. La partizione EFI di sistema a %1 sarà usata per avviare %2. - + EFI system partition: Partizione EFI di sistema: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Per ottenere prestazioni ottimali, assicurarsi che questo computer: - + System requirements Requisiti di sistema @@ -3044,27 +3091,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Questo computer non soddisfa i requisiti minimi per l'installazione di %1.<br/>L'installazione non può continuare. <a href="#details">Dettagli...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Questo computer non soddisfa i requisiti minimi per installare %1. <br/>L'installazione non può proseguire. <a href="#details">Dettagli...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Questo computer non soddisfa alcuni requisiti raccomandati per l'installazione di %1.<br/>L'installazione può continuare, ma alcune funzionalità potrebbero essere disabilitate. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Questo computer non soddisfa alcuni requisiti consigliati per l'installazione di %1. <br/>L'installazione può proseguire ma alcune funzionalità potrebbero non essere disponibili. - + This program will ask you some questions and set up %2 on your computer. Questo programma chiederà alcune informazioni e configurerà %2 sul computer. @@ -3347,51 +3394,80 @@ Output: TrackingInstallJob - + Installation feedback Valutazione dell'installazione - + Sending installation feedback. Invio della valutazione dell'installazione. - + Internal error in install-tracking. Errore interno in install-tracking. - + HTTP request timed out. La richiesta HTTP è scaduta. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + - + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Valutazione automatica - + Configuring machine feedback. Configurazione in corso della valutazione automatica. - - + + Error in machine feedback configuration. Errore nella configurazione della valutazione automatica. - + Could not configure machine feedback correctly, script error %1. Non è stato possibile configurare correttamente la valutazione automatica, errore dello script %1. - + Could not configure machine feedback correctly, Calamares error %1. Non è stato possibile configurare correttamente la valutazione automatica, errore di Calamares %1. @@ -3410,8 +3486,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Selezionando questo, non verrà inviata <span style=" font-weight:600;">alcuna informazione</span> relativa alla propria installazione.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3419,30 +3495,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Cliccare qui per maggiori informazioni sulla valutazione degli utenti</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Il tracciamento dell'installazione aiuta %1 a capire quanti utenti vengono serviti, su quale hardware si installa %1 e (con le ultime due opzioni sotto), a ricevere continue informazioni sulle applicazioni preferite. Per vedere cosa verrà inviato, cliccare sull'icona di aiuto accanto ad ogni area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Selezionando questa opzione saranno inviate informazioni relative all'installazione e all'hardware. I dati saranno <b>inviati solo una volta</b> al termine dell'installazione. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Selezionando questa opzione saranno inviate <b>periodicamente</b> informazioni sull'installazione, l'hardware e le applicazioni, a %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Selezionando questa opzione verranno inviate <b>regolarmente</b> informazioni sull'installazione, l'hardware, le applicazioni e i modi di utilizzo, a %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Valutazione @@ -3628,42 +3704,42 @@ Output: &Note di rilascio - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Benvenuto nel programma di installazione Calamares di %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Benvenuto nell'installazione di %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Benvenuti nel programma di installazione Calamares per %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Benvenuto nel programma d'installazione di %1.</h1> - + %1 support supporto %1 - + About %1 setup Informazioni sul sistema di configurazione %1 - + About %1 installer Informazioni sul programma di installazione %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>per %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Grazie al <a href="https://calamares.io/team/">Team di Calamares </a> ed al <a href="https://www.transifex.com/calamares/calamares/">team dei traduttori di Calamares</a>.<br/><br/>Lo sviluppo di <a href="https://calamares.io/">Calamares</a> è sponsorizzato da <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Output: WelcomeQmlViewStep - + Welcome Benvenuti @@ -3679,7 +3755,7 @@ Output: WelcomeViewStep - + Welcome Benvenuti @@ -3719,6 +3795,26 @@ Output: Indietro + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Indietro + + keyboardq @@ -3764,6 +3860,24 @@ Output: Provare la tastiera + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3837,27 +3951,27 @@ Output: <p> - + About Informazioni su - + Support Supporto - + Known issues Problemi conosciuti - + Release notes Note di rilascio - + Donate Donazioni diff --git a/lang/calamares_ja.ts b/lang/calamares_ja.ts index 61f7d3a48..0c8d6a742 100644 --- a/lang/calamares_ja.ts +++ b/lang/calamares_ja.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up セットアップ - + Install インストール @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) ジョブに失敗 (%1) - + Programmed job failure was explicitly requested. 要求されたジョブは失敗しました。 @@ -143,7 +143,7 @@ Calamares::JobThread - + Done 完了 @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) ジョブの例 (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. ターゲットシステムでコマンド '%1' を実行。 - + Run command '%1'. コマンド '%1' を実行。 - + Running command %1 %2 コマンド %1 %2 を実行しています @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 操作を実行しています。 - + Bad working directory path 不正なワーキングディレクトリパス - + Working directory %1 for python job %2 is not readable. python ジョブ %2 において作業ディレクトリ %1 が読み込めません。 - + Bad main script file 不正なメインスクリプトファイル - + Main script file %1 for python job %2 is not readable. python ジョブ %2 におけるメインスクリプトファイル %1 が読み込めません。 - + Boost.Python error in job "%1". ジョブ "%1" での Boost.Python エラー。 @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + モジュール <i>%1</i> に必要なパッケージの確認が完了しました。 + - + Waiting for %n module(s). %n 個のモジュールを待機しています。 - + (%n second(s)) (%n 秒(s)) - + System-requirements checking is complete. 要求されるシステムの確認を終了しました。 @@ -271,13 +276,13 @@ - + &Yes はい (&Y) - + &No いいえ (&N) @@ -312,109 +317,109 @@ <br/>以下のモジュールがロードできませんでした。: - + Continue with setup? セットアップを続行しますか? - + Continue with installation? インストールを続行しますか? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 のセットアッププログラムは %2 のセットアップのためディスクの内容を変更します。<br/><strong>これらの変更は取り消しできません。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 インストーラーは %2 をインストールするためディスクの内容を変更しようとしています。<br/><strong>これらの変更は取り消せません。</strong> - + &Set up now セットアップしています (&S) - + &Install now 今すぐインストール (&I) - + Go &back 戻る (&B) - + &Set up セットアップ (&S) - + &Install インストール (&I) - + Setup is complete. Close the setup program. セットアップが完了しました。プログラムを閉じます。 - + The installation is complete. Close the installer. インストールが完了しました。インストーラーを閉じます。 - + Cancel setup without changing the system. システムを変更することなくセットアップを中断します。 - + Cancel installation without changing the system. システムを変更しないでインストールを中止します。 - + &Next 次へ (&N) - + &Back 戻る (&B) - + &Done 実行 (&D) - + &Cancel 中止 (&C) - + Cancel setup? セットアップを中止しますか? - + Cancel installation? インストールを中止しますか? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 本当に現在のセットアップのプロセスを中止しますか? すべての変更が取り消されます。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 本当に現在の作業を中止しますか? @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type 不明な例外型 - + unparseable Python error 解析不能なPythonエラー - + unparseable Python traceback 解析不能な Python トレースバック - + Unfetchable Python error. 取得不能なPythonエラー。 @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information デバッグ情報を表示 - + &Back 戻る (&B) - + &Next 次へ (&N) - + &Cancel 中止 (&C) - + %1 Setup Program %1 セットアッププログラム - + %1 Installer %1 インストーラー @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. コマンドを実行できませんでした。 - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. コマンドがホスト環境で実行される際、rootのパスの情報が必要になりますが、root のマウントポイントが定義されていません。 - + The command needs to know the user's name, but no username is defined. ユーザー名が必要ですが、定義されていません。 @@ -743,49 +748,49 @@ The installer will quit and all changes will be lost. ネットワークインストール。(無効: パッケージリストを取得できません。ネットワーク接続を確認してください。) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> このコンピュータは %1 をセットアップするための最低要件を満たしていません。<br/>セットアップは続行できません。 <a href="#details">詳細...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> このコンピュータは %1 をインストールするための最低要件を満たしていません。<br/>インストールは続行できません。<a href="#details">詳細...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. このコンピュータは、 %1 をセットアップするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. このコンピュータは、 %1 をインストールするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - + This program will ask you some questions and set up %2 on your computer. このプログラムはあなたにいくつか質問をして、コンピュータに %2 を設定します。 - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1 Calamares セットアッププログラムにようこそ</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 のCalamaresセットアッププログラムへようこそ</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>%1 セットアップへようこそ</h1> + + <h1>Welcome to %1 setup</h1> + <h1>%1 のセットアップへようこそ</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1 Calamares インストーラーにようこそ</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 のCalamaresインストーラーへようこそ</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 インストーラーへようこそ。</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>%1 インストーラーへようこそ</h1> @@ -1222,37 +1227,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information パーティション情報の設定 - + Install %1 on <strong>new</strong> %2 system partition. <strong>新しい</strong> %2 システムパーティションに %1 をインストール。 - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. マウントポイント <strong>%1</strong> に<strong>新しく</strong> %2 パーティションをセットアップする。 - + Install %2 on %3 system partition <strong>%1</strong>. %3 システムパーティション <strong>%1</strong> に%2 をインストール。 - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. パーティション <strong>%1</strong> マウントポイント <strong>%2</strong> に %3 をセットアップする。 - + Install boot loader on <strong>%1</strong>. <strong>%1</strong> にブートローダーをインストール - + Setting up mount points. マウントポイントを設定する。 @@ -1270,32 +1275,32 @@ The installer will quit and all changes will be lost. 今すぐ再起動 (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>すべて完了しました。</h1><br/>%1 はコンピュータにセットアップされました。<br/>今から新しいシステムを開始することができます。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>このボックスをチェックすると、 <span style="font-style:italic;">実行</span>をクリックするかプログラムを閉じると直ちにシステムが再起動します。</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>すべて完了しました。</h1><br/>%1 がコンピューターにインストールされました。<br/>再起動して新しいシステムを使用することもできますし、%2 ライブ環境の使用を続けることもできます。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>このボックスをチェックすると、 <span style="font-style:italic;">実行</span>をクリックするかインストーラーを閉じると直ちにシステムが再起動します。</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>セットアップに失敗しました。</h1><br/>%1 はコンピュータにセットアップされていません。<br/>エラーメッセージ: %2 - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>インストールに失敗しました</h1><br/>%1 はコンピュータにインストールされませんでした。<br/>エラーメッセージ: %2. @@ -1303,28 +1308,28 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish 終了 - + Setup Complete セットアップが完了しました - + Installation Complete インストールが完了 - + The setup of %1 is complete. %1 のセットアップが完了しました。 - + The installation of %1 is complete. %1 のインストールは完了です。 @@ -1355,72 +1360,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space 利用可能な容量が少なくとも %1 GiB - + There is not enough drive space. At least %1 GiB is required. 空き容量が十分ではありません。少なくとも %1 GiB 必要です。 - + has at least %1 GiB working memory %1 GiB以降のメモリーがあります - + The system does not have enough working memory. At least %1 GiB is required. 十分なメモリがありません。少なくとも %1 GiB 必要です。 - + is plugged in to a power source 電源が接続されていること - + The system is not plugged in to a power source. システムに電源が接続されていません。 - + is connected to the Internet インターネットに接続されていること - + The system is not connected to the Internet. システムはインターネットに接続されていません。 - + is running the installer as an administrator (root) は管理者(root)としてインストーラーを実行しています - + The setup program is not running with administrator rights. セットアッププログラムは管理者権限で実行されていません。 - + The installer is not running with administrator rights. インストーラーは管理者権限で実行されていません。 - + has a screen large enough to show the whole installer にはインストーラー全体を表示できる大きさの画面があります - + The screen is too small to display the setup program. セットアップを表示のは画面が小さすぎます。 - + The screen is too small to display the installer. インストーラーを表示するためには、画面が小さすぎます。 @@ -1768,6 +1773,19 @@ The installer will quit and all changes will be lost. マシンIDにルートマウントポイントが設定されていません。 + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + インストーラーがロケールとタイムゾーンの設定を提案できるように、 +マップ上の適切な場所を選択してください。 以下の推奨設定を調整できます。 +ドラッグして移動し、+ /-ボタンでズームインまたはズームアウトしてマップを検索するか、 +マウスのスクロールを使用してズームします。 + + NetInstallViewStep @@ -1906,6 +1924,19 @@ The installer will quit and all changes will be lost. OEMのバッチIDを <code>%1</code> に設定してください。 + + Offline + + + Timezone: %1 + タイムゾーン: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + タイムゾーンを選択できるようにするには、インターネットに接続していることを確認してください。接続したらインストーラーを再起動してください。以下の言語とロケールの設定を調整できます。 + + PWQ @@ -2493,107 +2524,107 @@ The installer will quit and all changes will be lost. パーティション - + Install %1 <strong>alongside</strong> another operating system. 他のオペレーティングシステムに<strong>共存して</strong> %1 をインストール。 - + <strong>Erase</strong> disk and install %1. ディスクを<strong>消去</strong>し %1 をインストール。 - + <strong>Replace</strong> a partition with %1. パーティションを %1 に<strong>置き換える。</strong> - + <strong>Manual</strong> partitioning. <strong>手動</strong>でパーティションを設定する。 - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). ディスク <strong>%2</strong> (%3) 上ののオペレーティングシステムと<strong>共存</strong>して %1 をインストール。 - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. ディスク <strong>%2</strong> (%3) を<strong>消去して</strong> %1 をインストール。 - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. ディスク <strong>%2</strong> (%3) 上のパーティションを %1 に<strong>置き換える。</strong> - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). ディスク <strong>%1</strong> (%2) に <strong>手動で</strong>パーティショニングする。 - + Disk <strong>%1</strong> (%2) ディスク <strong>%1</strong> (%2) - + Current: 現在: - + After: 変更後: - + No EFI system partition configured EFI システムパーティションが設定されていません - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. %1 を起動するには、EFIシステムパーティションが必要です。<br/> <br/> EFIシステムパーティションを設定するには、戻って、<strong>%3</strong> フラグを有効にしたFAT32ファイルシステムを選択または作成し、マウントポイントを <strong>%2</strong> にします。<br/> <br/>EFIシステムパーティションを設定せずに続行すると、システムが起動しない場合があります。 - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. %1 を起動するには、EFIシステムパーティションが必要です。<br/> <br/> パーティションはマウントポイント <strong>%2</strong> に設定されましたが、<strong>%3</strong> フラグが設定されていません。フラグを設定するには、戻ってパーティションを編集してください。フラグを設定せずに続行すると、システムが起動しない場合があります。 - + EFI system partition flag not set EFI システムパーティションのフラグが設定されていません - + Option to use GPT on BIOS BIOSでGPTを使用するためのオプション - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPTパーティションテーブルは、すべてのシステムに最適なオプションです。このインストーラーは、BIOSシステムのこのようなセットアップもサポートしています。<br/><br/>BIOSでGPTパーティションテーブルを設定するには(まだ行っていない場合)、前に戻ってパーティションテーブルをGPTに設定し、<strong>bios_grub</strong>フラグを有効にして 8 MB の未フォーマットのパーティションを作成します。GPTに設定したBIOSシステムで %1 を起動するには、未フォーマットの 8 MB パーティションが必要です。 - + Boot partition not encrypted ブートパーティションが暗号化されていません - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. ブートパーティションは暗号化されたルートパーティションとともにセットアップされましたが、ブートパーティションは暗号化されていません。<br/><br/>重要なシステムファイルが暗号化されていないパーティションに残されているため、このようなセットアップは安全上の懸念があります。<br/>セットアップを続行することはできますが、後でシステムの起動中にファイルシステムが解除されるおそれがあります。<br/>ブートパーティションを暗号化させるには、前の画面に戻って、再度パーティションを作成し、パーティション作成ウィンドウ内で<strong>Encrypt</strong> (暗号化) を選択してください。 - + has at least one disk device available. 少なくとも1枚のディスクは使用可能。 - + There are no partitions to install on. インストールするパーティションがありません。 @@ -2659,14 +2690,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. コマンドから出力するものがありませんでした。 - + Output: @@ -2675,52 +2706,52 @@ Output: - + External command crashed. 外部コマンドがクラッシュしました。 - + Command <i>%1</i> crashed. コマンド <i>%1</i> がクラッシュしました。 - + External command failed to start. 外部コマンドの起動に失敗しました。 - + Command <i>%1</i> failed to start. コマンド <i>%1</i> の起動に失敗しました。 - + Internal error when starting command. コマンドが起動する際に内部エラーが発生しました。 - + Bad parameters for process job call. ジョブ呼び出しにおける不正なパラメータ - + External command failed to finish. 外部コマンドの終了に失敗しました。 - + Command <i>%1</i> failed to finish in %2 seconds. コマンド<i>%1</i> %2 秒以内に終了することに失敗しました。 - + External command finished with errors. 外部のコマンドがエラーで停止しました。 - + Command <i>%1</i> finished with exit code %2. コマンド <i>%1</i> が終了コード %2 で終了しました。. @@ -2728,32 +2759,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - モジュール <i>%1</i> に必要なパッケージの確認が完了しました。 - - - + unknown 不明 - + extended 拡張 - + unformatted 未フォーマット - + swap スワップ @@ -2807,6 +2833,16 @@ Output: パーティションされていない領域または未知のパーティションテーブル + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>このコンピューターは %1 をセットアップするための推奨要件の一部を満たしていません。<br/> +セットアップは続行できますが、一部の機能が無効になる可能性があります。</p> + + RemoveUserJob @@ -2842,73 +2878,90 @@ Output: フォーム - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. %1 をインストールする場所を選択します。<br/><font color="red">警告: </font>選択したパーティション内のすべてのファイルが削除されます。 - + The selected item does not appear to be a valid partition. 選択した項目は有効なパーティションではないようです。 - + %1 cannot be installed on empty space. Please select an existing partition. %1 は空き領域にインストールすることはできません。既存のパーティションを選択してください。 - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 は拡張パーティションにインストールできません。既存のプライマリまたは論理パーティションを選択してください。 - + %1 cannot be installed on this partition. %1 はこのパーティションにインストールできません。 - + Data partition (%1) データパーティション (%1) - + Unknown system partition (%1) 不明なシステムパーティション (%1) - + %1 system partition (%2) %1 システムパーティション (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>パーティション %1 は、%2 には小さすぎます。少なくとも %3 GB 以上のパーティションを選択してください。 - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>EFI システムパーティションがシステムに見つかりません。%1 を設定するために一旦戻って手動パーティショニングを使用してください。 - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 は %2 にインストールされます。<br/><font color="red">警告: </font>パーティション %2 のすべてのデータは失われます。 - + The EFI system partition at %1 will be used for starting %2. %1 上の EFI システムパーティションは %2 開始時に使用されます。 - + EFI system partition: EFI システムパーティション: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>このコンピューターは %1 をインストールするための最小要件を満たしていません。<br/> +インストールを続行できません。</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>このコンピューターは、%1をセットアップするための推奨要件の一部を満たしていません。<br/> +セットアップは続行できますが、一部の機能が無効になる可能性があります。</p> + + ResizeFSJob @@ -3031,12 +3084,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: 良好な結果を得るために、このコンピュータについて以下の項目を確認してください: - + System requirements システム要件 @@ -3044,27 +3097,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> このコンピュータは %1 をセットアップするための最低要件を満たしていません。<br/>セットアップは続行できません。 <a href="#details">詳細...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> このコンピュータは %1 をインストールするための最低要件を満たしていません。<br/>インストールは続行できません。<a href="#details">詳細...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. このコンピュータは、 %1 をセットアップするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. このコンピュータは、 %1 をインストールするための推奨条件をいくつか満たしていません。<br/>インストールは続行しますが、一部の機能が無効になる場合があります。 - + This program will ask you some questions and set up %2 on your computer. このプログラムはあなたにいくつか質問をして、コンピュータに %2 を設定します。 @@ -3347,51 +3400,80 @@ Output: TrackingInstallJob - + Installation feedback インストールのフィードバック - + Sending installation feedback. インストールのフィードバックを送信 - + Internal error in install-tracking. インストールトラッキング中の内部エラー - + HTTP request timed out. HTTPリクエストがタイムアウトしました。 - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + KDEのユーザーフィードバック + + + + Configuring KDE user feedback. + KDEのユーザーフィードバックを設定しています。 + + + + + Error in KDE user feedback configuration. + KDEのユーザーフィードバックの設定でエラー。 + - + + Could not configure KDE user feedback correctly, script error %1. + KDEのユーザーフィードバックを正しく設定できませんでした。スクリプトエラー %1。 + + + + Could not configure KDE user feedback correctly, Calamares error %1. + KDEのユーザーフィードバックを正しく設定できませんでした。Calamaresエラー %1。 + + + + TrackingMachineUpdateManagerJob + + Machine feedback マシンフィードバック - + Configuring machine feedback. マシンフィードバックの設定 - - + + Error in machine feedback configuration. マシンフィードバックの設定中のエラー - + Could not configure machine feedback correctly, script error %1. マシンフィードバックの設定が正確にできませんでした、スクリプトエラー %1。 - + Could not configure machine feedback correctly, Calamares error %1. マシンフィードバックの設定が正確にできませんでした、Calamares エラー %1。 @@ -3410,8 +3492,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>これを選択すると、インストール時の情報を <span style=" font-weight:600;">全く送信しなく</span> なります。</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>インストールに関する情報を <span style=" font-weight:600;">送信しない</span> 場合はここをクリック。</p></body></html> @@ -3419,30 +3501,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">ユーザーフィードバックについての詳しい情報については、ここをクリックしてください</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - インストールトラッキングは %1 にとって、どれだけのユーザーが どのハードに %1 をインストールするのか (下記の2つのオプション)、どのようなアプリケーションが好まれているのかについての情報を把握することの補助を行っています。 どのような情報が送信されているのか確認したい場合は、以下の各エリアのヘルプのアイコンをクリックして下さい。 + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + 追跡することにより、%1 はインストールの頻度、インストールされているハードウェア、使用されているアプリケーションを確認できます。送信内容を確認するには、各エリアの横にあるヘルプアイコンをクリックしてください。 - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - インストールやハードウェアの情報を送信します。この情報はインストール終了後 <b> 1回だけ送信されます</b> 。 + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + これを選択すると、インストールとハードウェアに関する情報が送信されます。この情報は、インストールの完了後に<b>1度だけ</b>送信されます。 - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - これを選択すると、インストール、ハードウェア、およびアプリケーションに関する情報を<b>定期的に</b> %1 に送信します。 + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + これを選択すると、<b>マシン</b>のインストール、ハードウェア、アプリケーションに関する情報が定期的に %1 に送信されます。 - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - これを選択すると、インストール、ハードウェア、アプリケーション、および使用パターンに関する情報を<b>毎回</b> %1 に送信します。 + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + これを選択すると、<b>ユーザーの</b>インストール、ハードウェア、アプリケーション、アプリケーションの使用パターンに関する情報が定期的に %1 に送信されます。 TrackingViewStep - + Feedback フィードバック @@ -3628,42 +3710,42 @@ Output: リリースノート (&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1 Calamares セットアッププログラムにようこそ</h1> - + <h1>Welcome to %1 setup.</h1> <h1>%1 セットアップへようこそ</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1 Calamares インストーラーにようこそ</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 インストーラーへようこそ。</h1> - + %1 support %1 サポート - + About %1 setup %1 セットアップについて - + About %1 installer %1 インストーラーについて - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3753,7 @@ Output: WelcomeQmlViewStep - + Welcome ようこそ @@ -3679,7 +3761,7 @@ Output: WelcomeViewStep - + Welcome ようこそ @@ -3719,6 +3801,28 @@ Output: 戻る + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>言語</h1> </br> +システムロケールの設定は、一部のコマンドラインユーザーインターフェイスの言語と文字セットに影響します。現在の設定は <strong>%1</strong> です。 + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>ロケール</h1> </br> +システムロケールの設定は、一部のコマンドラインユーザーインターフェイスの言語と文字セットに影響します。現在の設定は <strong>%1</strong> です。 + + + + Back + 戻る + + keyboardq @@ -3764,6 +3868,24 @@ Output: キーボードをテストしてください + + localeq + + + System language set to %1 + システム言語が %1 に設定されました + + + + Numbers and dates locale set to %1 + 数値と日付のロケールが %1 に設定されました + + + + Change + 変更 + + notesqml @@ -3837,27 +3959,27 @@ Output: <p>このプログラムはいくつかの質問を行い、コンピューターに %1 をセットアップします。</p> - + About About - + Support サポート - + Known issues 既知の問題点 - + Release notes リリースノート - + Donate 寄付 diff --git a/lang/calamares_kk.ts b/lang/calamares_kk.ts index 21a8a1f2b..30c185059 100644 --- a/lang/calamares_kk.ts +++ b/lang/calamares_kk.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Орнату @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Дайын @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Алға - + &Back А&ртқа - + &Done - + &Cancel Ба&с тарту - + Cancel setup? - + Cancel installation? Орнатудан бас тарту керек пе? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back А&ртқа - + &Next &Алға - + &Cancel Ба&с тарту - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: EFI жүйелік бөлімі: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support %1 қолдауы - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome Қош келдіңіз @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome Қош келдіңіз @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_kn.ts b/lang/calamares_kn.ts index ab2dd7856..ba9759c41 100644 --- a/lang/calamares_kn.ts +++ b/lang/calamares_kn.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install ಸ್ಥಾಪಿಸು @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes ಹೌದು - + &No ಇಲ್ಲ @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next ಮುಂದಿನ - + &Back ಹಿಂದಿನ - + &Done - + &Cancel ರದ್ದುಗೊಳಿಸು - + Cancel setup? - + Cancel installation? ಅನುಸ್ಥಾಪನೆಯನ್ನು ರದ್ದುಮಾಡುವುದೇ? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back ಹಿಂದಿನ - + &Next ಮುಂದಿನ - + &Cancel ರದ್ದುಗೊಳಿಸು - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: ಪ್ರಸಕ್ತ: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ko.ts b/lang/calamares_ko.ts index 3385b4a86..08bb2ab1f 100644 --- a/lang/calamares_ko.ts +++ b/lang/calamares_ko.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up 설정 - + Install 설치 @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) (%1) 작업 실패 - + Programmed job failure was explicitly requested. 프로그래밍된 작업 실패가 명시적으로 요청되었습니다. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done 완료 @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) 작업 예제 (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. 대상 시스템에서 '%1' 명령을 실행합니다. - + Run command '%1'. '%1' 명령을 실행합니다. - + Running command %1 %2 명령 %1 %2 실행중 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 명령을 실행중 - + Bad working directory path 잘못된 작업 디렉터리 경로 - + Working directory %1 for python job %2 is not readable. 파이썬 작업 %2에 대한 작업 디렉터리 %1을 읽을 수 없습니다. - + Bad main script file 잘못된 주 스크립트 파일 - + Main script file %1 for python job %2 is not readable. 파이썬 작업 %2에 대한 주 스크립트 파일 %1을 읽을 수 없습니다. - + Boost.Python error in job "%1". 작업 "%1"에서 Boost.Python 오류 @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i> 모듈에 대한 요구사항 검사가 완료되었습니다. + - + Waiting for %n module(s). %n 모듈(들)을 기다리는 중. - + (%n second(s)) (%n 초) - + System-requirements checking is complete. 시스템 요구사항 검사가 완료 되었습니다. @@ -271,13 +276,13 @@ - + &Yes 예(&Y) - + &No 아니오(&N) @@ -312,109 +317,109 @@ 다음 모듈 불러오기 실패: - + Continue with setup? 설치를 계속하시겠습니까? - + Continue with installation? 설치를 계속하시겠습니까? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 설치 프로그램이 %2을(를) 설정하기 위해 디스크를 변경하려고 하는 중입니다.<br/><strong>이러한 변경은 취소할 수 없습니다.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 인스톨러가 %2를 설치하기 위해 사용자의 디스크의 내용을 변경하려고 합니다. <br/> <strong>이 변경 작업은 되돌릴 수 없습니다.</strong> - + &Set up now 지금 설치 (&S) - + &Install now 지금 설치 (&I) - + Go &back 뒤로 이동 (&b) - + &Set up 설치 (&S) - + &Install 설치(&I) - + Setup is complete. Close the setup program. 설치가 완료 되었습니다. 설치 프로그램을 닫습니다. - + The installation is complete. Close the installer. 설치가 완료되었습니다. 설치 관리자를 닫습니다. - + Cancel setup without changing the system. 시스템을 변경 하지 않고 설치를 취소합니다. - + Cancel installation without changing the system. 시스템 변경 없이 설치를 취소합니다. - + &Next 다음 (&N) - + &Back 뒤로 (&B) - + &Done 완료 (&D) - + &Cancel 취소 (&C) - + Cancel setup? 설치를 취소 하시겠습니까? - + Cancel installation? 설치를 취소하시겠습니까? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 현재 설정 프로세스를 취소하시겠습니까? 설치 프로그램이 종료되고 모든 변경 내용이 손실됩니다. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 정말로 현재 설치 프로세스를 취소하시겠습니까? @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type 알 수 없는 예외 유형 - + unparseable Python error 구문 분석할 수 없는 파이썬 오류 - + unparseable Python traceback 구문 분석할 수 없는 파이썬 역추적 정보 - + Unfetchable Python error. 가져올 수 없는 파이썬 오류 @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information 디버그 정보 보기 - + &Back 뒤로 (&B) - + &Next 다음 (&N) - + &Cancel 취소 (&C) - + %1 Setup Program %1 설치 프로그램 - + %1 Installer %1 설치 관리자 @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. 명령을 실행할 수 없습니다. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. 이 명령은 호스트 환경에서 실행되며 루트 경로를 알아야하지만, rootMountPoint가 정의되지 않았습니다. - + The command needs to know the user's name, but no username is defined. 이 명령은 사용자 이름을 알아야 하지만, username이 정의되지 않았습니다. @@ -743,49 +748,49 @@ The installer will quit and all changes will be lost. 네트워크 설치. (불가: 패키지 목록을 가져올 수 없습니다. 네트워크 연결을 확인해주세요) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다.<a href="#details">세부 정보...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다. <a href="#details">세부 사항입니다...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수는 있지만 일부 기능을 사용하지 않도록 설정할 수도 있습니다. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수 있지만 일부 기능을 사용하지 않도록 설정할 수 있습니다. - + This program will ask you some questions and set up %2 on your computer. 이 프로그램은 몇 가지 질문을 하고 컴퓨터에 %2을 설정합니다. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1에 대한 Calamares 설정 프로그램에 오신 것을 환영합니다.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>%1 설치에 오신 것을 환영합니다.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1을 위한 Calamares 설치 관리자에 오신 것을 환영합니다.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 설치 관리자에 오신 것을 환영합니다.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information 파티션 정보 설정 - + Install %1 on <strong>new</strong> %2 system partition. <strong>새</strong> %2 시스템 파티션에 %1를설치합니다. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. 마운트 위치 <strong>%1</strong>을 사용하여 <strong>새</strong> 파티션 %2를 설정합니다. - + Install %2 on %3 system partition <strong>%1</strong>. 시스템 파티션 <strong>%1</strong>의 %3에 %2를 설치합니다. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. <strong>%2</strong> 마운트 위치를 사용하여 파티션 <strong>%1</strong>의 %3 을 설정합니다. - + Install boot loader on <strong>%1</strong>. <strong>%1</strong>에 부트 로더를 설치합니다. - + Setting up mount points. 마운트 위치를 설정 중입니다. @@ -1270,32 +1275,32 @@ The installer will quit and all changes will be lost. 지금 재시작 (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>모두 완료.</h1><br/>%1이 컴퓨터에 설정되었습니다.<br/>이제 새 시스템을 사용할 수 있습니다. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>이 확인란을 선택하면 <span style="font-style:italic;">완료</span>를 클릭하거나 설치 프로그램을 닫으면 시스템이 즉시 다시 시작됩니다.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>모두 완료되었습니다.</h1><br/>%1이 컴퓨터에 설치되었습니다.<br/>이제 새 시스템으로 다시 시작하거나 %2 라이브 환경을 계속 사용할 수 있습니다. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>이 확인란을 선택하면 <span style="font-style:italic;">완료</span>를 클릭하거나 설치 관리자를 닫으면 시스템이 즉시 다시 시작됩니다.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>설치 실패</h1><br/>%1이 컴퓨터에 설정되지 않았습니다.<br/>오류 메시지 : %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>설치에 실패했습니다.</h1><br/>%1이 컴퓨터에 설치되지 않았습니다.<br/>오류 메시지는 %2입니다. @@ -1303,27 +1308,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish 완료 - + Setup Complete 설치 완료 - + Installation Complete 설치 완료 - + The setup of %1 is complete. %1 설치가 완료되었습니다. - + The installation of %1 is complete. %1의 설치가 완료되었습니다. @@ -1354,72 +1359,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space %1 GiB 이상의 사용 가능한 드라이브 공간이 있음 - + There is not enough drive space. At least %1 GiB is required. 드라이브 공간이 부족합니다. %1 GiB 이상이 필요합니다. - + has at least %1 GiB working memory %1 GiB 이상의 작동 메모리가 있습니다. - + The system does not have enough working memory. At least %1 GiB is required. 시스템에 충분한 작동 메모리가 없습니다. %1 GiB 이상이 필요합니다. - + is plugged in to a power source 전원 공급이 연결되어 있습니다 - + The system is not plugged in to a power source. 이 시스템은 전원 공급이 연결되어 있지 않습니다 - + is connected to the Internet 인터넷에 연결되어 있습니다 - + The system is not connected to the Internet. 이 시스템은 인터넷에 연결되어 있지 않습니다. - + is running the installer as an administrator (root) 설치 프로그램을 관리자(루트)로 실행 중입니다 - + The setup program is not running with administrator rights. 설치 프로그램이 관리자 권한으로 실행되고 있지 않습니다. - + The installer is not running with administrator rights. 설치 관리자가 관리자 권한으로 동작하고 있지 않습니다. - + has a screen large enough to show the whole installer 전체 설치 프로그램을 표시할 수 있을 만큼 큰 화면이 있습니다 - + The screen is too small to display the setup program. 화면이 너무 작아서 설정 프로그램을 표시할 수 없습니다. - + The screen is too small to display the installer. 설치 관리자를 표시하기에 화면이 너무 작습니다. @@ -1767,6 +1772,16 @@ The installer will quit and all changes will be lost. MachineId에 대해 설정된 루트 마운트 지점이 없습니다. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ The installer will quit and all changes will be lost. OEM 배치 식별자를 <code>%1</code>로 설정합니다. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ The installer will quit and all changes will be lost. 파티션 - + Install %1 <strong>alongside</strong> another operating system. %1을 다른 운영 체제와 <strong>함께</strong> 설치합니다. - + <strong>Erase</strong> disk and install %1. 디스크를 <strong>지우고</strong> %1을 설치합니다. - + <strong>Replace</strong> a partition with %1. 파티션을 %1로 <strong>바꿉니다</strong>. - + <strong>Manual</strong> partitioning. <strong>수동</strong> 파티션 작업 - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). 디스크 <strong>%2</strong> (%3)에 다른 운영 체제와 <strong>함께</strong> %1을 설치합니다. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. 디스크 <strong>%2</strong> (%3)를 <strong>지우고</strong> %1을 설치합니다. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. 디스크 <strong>%2</strong> (%3)의 파티션을 %1로 <strong>바꿉니다</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). 디스크 <strong>%1</strong> (%2) 의 <strong>수동</strong> 파티션 작업입니다. - + Disk <strong>%1</strong> (%2) 디스크 <strong>%1</strong> (%2) - + Current: 현재: - + After: 이후: - + No EFI system partition configured EFI 시스템 파티션이 설정되지 않았습니다 - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI 시스템 파티션 플래그가 설정되지 않았습니다 - + Option to use GPT on BIOS BIOS에서 GPT를 사용하는 옵션 - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT 파티션 테이블은 모든 시스템에 가장 적합한 옵션입니다. 이 설치 프로그램은 BIOS 시스템에 대한 이러한 설정도 지원합니다.<br/><br/>BIOS에서 GPT 파티션 테이블을 구성하려면(아직 구성되지 않은 경우) 돌아가서 파티션 테이블을 GPT로 설정한 다음, <strong>bios_grub</strong> 플래그가 사용하도록 설정된 8MB의 포맷되지 않은 파티션을 생성합니다.<br/><br/>GPT가 있는 BIOS 시스템에서 %1을 시작하려면 포맷되지 않은 8MB 파티션이 필요합니다. - + Boot partition not encrypted 부트 파티션이 암호화되지 않았습니다 - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. 암호화된 루트 파티션과 함께 별도의 부팅 파티션이 설정되었지만 부팅 파티션은 암호화되지 않았습니다.<br/><br/>중요한 시스템 파일은 암호화되지 않은 파티션에 보관되기 때문에 이러한 설정과 관련하여 보안 문제가 있습니다.<br/>원하는 경우 계속할 수 있지만 나중에 시스템을 시작하는 동안 파일 시스템 잠금이 해제됩니다.<br/>부팅 파티션을 암호화하려면 돌아가서 다시 생성하여 파티션 생성 창에서 <strong>암호화</strong>를 선택합니다. - + has at least one disk device available. 하나 이상의 디스크 장치를 사용할 수 있습니다. - + There are no partitions to install on. 설치를 위한 파티션이 없습니다. @@ -2658,14 +2686,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 명령으로부터 아무런 출력이 없습니다. - + Output: @@ -2674,52 +2702,52 @@ Output: - + External command crashed. 외부 명령이 실패했습니다. - + Command <i>%1</i> crashed. <i>%1</i> 명령이 실패했습니다. - + External command failed to start. 외부 명령을 시작하지 못했습니다. - + Command <i>%1</i> failed to start. <i>%1</i> 명령을 시작하지 못했습니다. - + Internal error when starting command. 명령을 시작하는 중에 내부 오류가 발생했습니다. - + Bad parameters for process job call. 프로세스 작업 호출에 대한 잘못된 매개 변수입니다. - + External command failed to finish. 외부 명령을 완료하지 못했습니다. - + Command <i>%1</i> failed to finish in %2 seconds. <i>%1</i> 명령을 %2초 안에 완료하지 못했습니다. - + External command finished with errors. 외부 명령이 오류와 함께 완료되었습니다. - + Command <i>%1</i> finished with exit code %2. <i>%1</i> 명령이 종료 코드 %2와 함께 완료되었습니다. @@ -2727,32 +2755,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - <i>%1</i> 모듈에 대한 요구사항 검사가 완료되었습니다. - - - + unknown 알 수 없음 - + extended 확장됨 - + unformatted 포맷되지 않음 - + swap 스왑 @@ -2806,6 +2829,15 @@ Output: 분할되지 않은 공간 또는 알 수 없는 파티션 테이블입니다. + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Output: 형식 - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. %1을 설치할 위치를 선택합니다.<br/><font color="red">경고: </font>선택한 파티션의 모든 파일이 삭제됩니다. - + The selected item does not appear to be a valid partition. 선택된 항목은 유효한 파티션으로 표시되지 않습니다. - + %1 cannot be installed on empty space. Please select an existing partition. %1은 빈 공간에 설치될 수 없습니다. 존재하는 파티션을 선택해주세요. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1은 확장 파티션에 설치될 수 없습니다. 주 파티션 혹은 논리 파티션을 선택해주세요. - + %1 cannot be installed on this partition. %1은 이 파티션에 설치될 수 없습니다. - + Data partition (%1) 데이터 파티션 (%1) - + Unknown system partition (%1) 알 수 없는 시스템 파티션 (%1) - + %1 system partition (%2) %1 시스템 파티션 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>%1 파티션이 %2에 비해 너무 작습니다. 용량이 %3 GiB 이상인 파티션을 선택하십시오. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>이 시스템에서는 EFI 시스템 파티션을 찾을 수 없습니다. 돌아가서 수동 파티션 작업을 사용하여 %1을 설정하세요. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1이 %2에 설치됩니다.<br/><font color="red">경고: </font>%2 파티션의 모든 데이터가 손실됩니다. - + The EFI system partition at %1 will be used for starting %2. %1의 EFI 시스템 파티션은 %2의 시작으로 사용될 것입니다. - + EFI system partition: EFI 시스템 파티션: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: 최상의 결과를 얻으려면 이 컴퓨터가 다음 사항을 충족해야 합니다. - + System requirements 시스템 요구 사항 @@ -3043,27 +3090,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다.<a href="#details">세부 정보...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 이 컴퓨터는 %1 설치를 위한 최소 요구 사항을 충족하지 않습니다.<br/>설치를 계속할 수 없습니다. <a href="#details">세부 사항입니다...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수는 있지만 일부 기능을 사용하지 않도록 설정할 수도 있습니다. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 이 컴퓨터는 %1 설치를 위한 권장 요구 사항 중 일부를 충족하지 않습니다.<br/>설치를 계속할 수 있지만 일부 기능을 사용하지 않도록 설정할 수 있습니다. - + This program will ask you some questions and set up %2 on your computer. 이 프로그램은 몇 가지 질문을 하고 컴퓨터에 %2을 설정합니다. @@ -3346,51 +3393,80 @@ Output: TrackingInstallJob - + Installation feedback 설치 피드백 - + Sending installation feedback. 설치 피드백을 보내는 중입니다. - + Internal error in install-tracking. 설치 추적중 내부 오류 - + HTTP request timed out. HTTP 요청 시간이 만료되었습니다. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback 시스템 피드백 - + Configuring machine feedback. 시스템 피드백을 설정하는 중입니다. - - + + Error in machine feedback configuration. 시스템 피드백 설정 중에 오류가 발생했습니다. - + Could not configure machine feedback correctly, script error %1. 시스템 피드백을 정확하게 설정할 수 없습니다, %1 스크립트 오류. - + Could not configure machine feedback correctly, Calamares error %1. 시스템 피드백을 정확하게 설정할 수 없습니다, %1 깔라마레스 오류. @@ -3409,8 +3485,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>이 옵션을 선택하면 <span style=" font-weight:600;">설치에 대한 정보가</span> 전혀 전송되지 않습니다.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3418,30 +3494,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">사용자 피드백에 대한 자세한 정보를 보려면 여기를 클릭하세요.</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - 설치 추적 기능을 사용하면 %1의 사용자 수, %1에 설치하는 하드웨어 (아래 마지막 두 옵션), 기본 응용 프로그램에 대한 지속적인 정보를 얻을 수 있습니다. 전송할 내용을 보려면 각 영역 옆에있는 도움말 아이콘을 클릭하십시오. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - 이 옵션을 선택하면 설치 및 하드웨어에 대한 정보가 전송됩니다. 이 정보는 설치가 완료된 후 <b>한 번만 전송</b>됩니다 + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - 이 옵션을 선택하면 <b>주기적으로</b> 설치, 하드웨어 및 응용 프로그램에 대한 정보를 %1로 전송합니다. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - 이 옵션을 선택하면 <b>정기적으로</b> 설치, 하드웨어, 응용 프로그램 및 사용 패턴에 대한 정보를 %1로 전송합니다. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback 피드백 @@ -3627,42 +3703,42 @@ Output: 출시 정보 (&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1에 대한 Calamares 설정 프로그램에 오신 것을 환영합니다.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>%1 설치에 오신 것을 환영합니다.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1을 위한 Calamares 설치 관리자에 오신 것을 환영합니다.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 설치 관리자에 오신 것을 환영합니다.</h1> - + %1 support %1 지원 - + About %1 setup %1 설치 정보 - + About %1 installer %1 설치 관리자에 대하여 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/><a href="https://calamares.io/team/">Calamares 팀</a>과 <a href="https://www.transifex.com/calamares/calamares/">Calamares 번역 팀</a> 덕분입니다.<br/><br/><a href="https://calamares.io/">Calamares</a> 개발은 <br/><a href="http://www.blue-systems.com/">Blue Systems</a>에서 후원합니다 - Liberating Software. @@ -3670,7 +3746,7 @@ Output: WelcomeQmlViewStep - + Welcome 환영합니다 @@ -3678,7 +3754,7 @@ Output: WelcomeViewStep - + Welcome 환영합니다 @@ -3718,6 +3794,26 @@ Output: 뒤로 + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + 뒤로 + + keyboardq @@ -3763,6 +3859,24 @@ Output: 키보드 테스트 + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3815,27 +3929,27 @@ Output: - + About Calamares에 대하여 - + Support 지원 - + Known issues 알려진 이슈들 - + Release notes 릴리즈 노트 - + Donate 기부 diff --git a/lang/calamares_lo.ts b/lang/calamares_lo.ts index de6424583..46a2a0fb6 100644 --- a/lang/calamares_lo.ts +++ b/lang/calamares_lo.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). - + (%n second(s)) - + System-requirements checking is complete. @@ -271,13 +276,13 @@ - + &Yes - + &No @@ -312,108 +317,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -422,22 +427,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -454,32 +459,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -676,18 +681,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -740,48 +745,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1219,37 +1224,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1267,32 +1272,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1300,27 +1305,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1351,72 +1356,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1764,6 +1769,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1902,6 +1917,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2489,107 +2517,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2655,65 +2683,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2721,32 +2749,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2800,6 +2823,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2835,73 +2867,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3024,12 +3071,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3037,27 +3084,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3340,51 +3387,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3403,7 +3479,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3412,30 +3488,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3621,42 +3697,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3664,7 +3740,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3672,7 +3748,7 @@ Output: WelcomeViewStep - + Welcome @@ -3701,6 +3777,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3746,6 +3842,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3797,27 +3911,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_lt.ts b/lang/calamares_lt.ts index 327e227c0..aa51d8669 100644 --- a/lang/calamares_lt.ts +++ b/lang/calamares_lt.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Sąranka - + Install Diegimas @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Užduotis patyrė nesėkmę (%1) - + Programmed job failure was explicitly requested. Užprogramuota užduoties nesėkmė buvo aiškiai užklausta. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Atlikta @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Pavyzdinė užduotis (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Paleisti paskirties sistemoje komandą „%1“. - + Run command '%1'. Paleisti komandą „%1“. - + Running command %1 %2 Vykdoma komanda %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Vykdoma %1 operacija. - + Bad working directory path Netinkama darbinio katalogo vieta - + Working directory %1 for python job %2 is not readable. Darbinis %1 python katalogas dėl %2 užduoties yra neskaitomas - + Bad main script file Prastas pagrindinio skripto failas - + Main script file %1 for python job %2 is not readable. Pagrindinis scenarijus %1 dėl python %2 užduoties yra neskaitomas - + Boost.Python error in job "%1". Boost.Python klaida užduotyje "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Reikalavimų tikrinimas <i>%1</i> moduliui yra užbaigtas. + - + Waiting for %n module(s). Laukiama %n modulio. @@ -238,7 +243,7 @@ - + (%n second(s)) (%n sekundė) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Sistemos reikalavimų tikrinimas yra užbaigtas. @@ -277,13 +282,13 @@ - + &Yes &Taip - + &No &Ne @@ -318,109 +323,109 @@ <br/>Nepavyko įkelti šių modulių: - + Continue with setup? Tęsti sąranką? - + Continue with installation? Tęsti diegimą? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 sąrankos programa, siekdama nustatyti %2, ketina atlikti pakeitimus diske.<br/><strong>Šių pakeitimų nebegalėsite atšaukti.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 diegimo programa, siekdama įdiegti %2, ketina atlikti pakeitimus diske.<br/><strong>Šių pakeitimų nebegalėsite atšaukti.</strong> - + &Set up now Nu&statyti dabar - + &Install now Į&diegti dabar - + Go &back &Grįžti - + &Set up Nu&statyti - + &Install Į&diegti - + Setup is complete. Close the setup program. Sąranka užbaigta. Užverkite sąrankos programą. - + The installation is complete. Close the installer. Diegimas užbaigtas. Užverkite diegimo programą. - + Cancel setup without changing the system. Atsisakyti sąrankos, nieko sistemoje nekeičiant. - + Cancel installation without changing the system. Atsisakyti diegimo, nieko sistemoje nekeičiant. - + &Next &Toliau - + &Back &Atgal - + &Done A&tlikta - + &Cancel A&tsisakyti - + Cancel setup? Atsisakyti sąrankos? - + Cancel installation? Atsisakyti diegimo? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Ar tikrai norite atsisakyti dabartinio sąrankos proceso? Sąrankos programa užbaigs darbą ir visi pakeitimai bus prarasti. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ar tikrai norite atsisakyti dabartinio diegimo proceso? @@ -430,22 +435,22 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CalamaresPython::Helper - + Unknown exception type Nežinomas išimties tipas - + unparseable Python error Nepalyginama Python klaida - + unparseable Python traceback Nepalyginamas Python atsekimas - + Unfetchable Python error. Neatgaunama Python klaida. @@ -463,32 +468,32 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CalamaresWindow - + Show debug information Rodyti derinimo informaciją - + &Back &Atgal - + &Next &Toliau - + &Cancel A&tsisakyti - + %1 Setup Program %1 sąrankos programa - + %1 Installer %1 diegimo programa @@ -685,18 +690,18 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. CommandList - - + + Could not run command. Nepavyko paleisti komandos. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Komanda yra vykdoma serverio aplinkoje ir turi žinoti šaknies kelią, tačiau nėra apibrėžtas joks rootMountPoint. - + The command needs to know the user's name, but no username is defined. Komanda turi žinoti naudotojo vardą, tačiau nebuvo apibrėžtas joks naudotojo vardas. @@ -749,49 +754,49 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Tinklo diegimas. (Išjungta: Nepavyksta gauti paketų sąrašus, patikrinkite savo tinklo ryšį) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Šis kompiuteris netenkina minimalių %1 nustatymo reikalavimų.<br/>Sąranka negali būti tęsiama. <a href="#details">Išsamiau...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Šis kompiuteris netenkina minimalių %1 diegimo reikalavimų.<br/>Diegimas negali būti tęsiamas. <a href="#details">Išsamiau...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Šis kompiuteris netenkina kai kurių %1 nustatymui rekomenduojamų reikalavimų.<br/>Sąranką galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Šis kompiuteris netenkina kai kurių %1 diegimui rekomenduojamų reikalavimų.<br/>Diegimą galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - + This program will ask you some questions and set up %2 on your computer. Programa užduos kelis klausimus ir padės įsidiegti %2. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Jus sveikina Calamares sąrankos programa, skirta %1 sistemai.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Jus sveikina %1 sąranka.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Jus sveikina Calamares diegimo programa, skirta %1 sistemai.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Jus sveikina %1 diegimo programa.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1228,37 +1233,37 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. FillGlobalStorageJob - + Set partition information Nustatyti skaidinio informaciją - + Install %1 on <strong>new</strong> %2 system partition. Įdiegti %1 <strong>naujame</strong> %2 sistemos skaidinyje. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Nustatyti <strong>naują</strong> %2 skaidinį su prijungimo tašku <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Diegti %2 sistemą, %3 sistemos skaidinyje <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Nustatyti %3 skaidinį <strong>%1</strong> su prijungimo tašku <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Diegti paleidyklę skaidinyje <strong>%1</strong>. - + Setting up mount points. Nustatomi prijungimo taškai. @@ -1276,32 +1281,32 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. &Paleisti iš naujo dabar - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Viskas atlikta.</h1><br/>%1 sistema jūsų kompiuteryje jau nustatyta.<br/>Dabar galite pradėti naudotis savo naująja sistema. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Pažymėjus šį langelį, jūsų sistema nedelsiant pasileis iš naujo, kai spustelėsite <span style="font-style:italic;">Atlikta</span> ar užversite sąrankos programą.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Viskas atlikta.</h1><br/>%1 sistema jau įdiegta.<br/>Galite iš naujo paleisti kompiuterį dabar ir naudotis savo naująja sistema; arba galite tęsti naudojimąsi %2 sistema demonstracinėje aplinkoje. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Pažymėjus šį langelį, jūsų sistema nedelsiant pasileis iš naujo, kai spustelėsite <span style="font-style:italic;">Atlikta</span> ar užversite diegimo programą.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Sąranka nepavyko</h1><br/>%1 nebuvo nustatyta jūsų kompiuteryje.<br/>Klaidos pranešimas buvo: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Diegimas nepavyko</h1><br/>%1 nebuvo įdiegta jūsų kompiuteryje.<br/>Klaidos pranešimas buvo: %2. @@ -1309,27 +1314,27 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. FinishedViewStep - + Finish Pabaiga - + Setup Complete Sąranka užbaigta - + Installation Complete Diegimas užbaigtas - + The setup of %1 is complete. %1 sąranka yra užbaigta. - + The installation of %1 is complete. %1 diegimas yra užbaigtas. @@ -1360,72 +1365,72 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. GeneralRequirements - + has at least %1 GiB available drive space turi bent %1 GiB laisvos vietos diske - + There is not enough drive space. At least %1 GiB is required. Neužtenka vietos diske. Reikia bent %1 GiB. - + has at least %1 GiB working memory turi bent %1 GiB darbinės atminties - + The system does not have enough working memory. At least %1 GiB is required. Sistemai neužtenka darbinės atminties. Reikia bent %1 GiB. - + is plugged in to a power source prijungta prie maitinimo šaltinio - + The system is not plugged in to a power source. Sistema nėra prijungta prie maitinimo šaltinio. - + is connected to the Internet prijungta prie Interneto - + The system is not connected to the Internet. Sistema nėra prijungta prie Interneto. - + is running the installer as an administrator (root) vykdo diegimo programa administratoriaus (root) teisėmis - + The setup program is not running with administrator rights. Sąrankos programa yra vykdoma be administratoriaus teisių. - + The installer is not running with administrator rights. Diegimo programa yra vykdoma be administratoriaus teisių. - + has a screen large enough to show the whole installer turi ekraną, pakankamai didelį, kad rodytų visą diegimo programą - + The screen is too small to display the setup program. Ekranas yra per mažas, kad būtų parodyta sąrankos programa. - + The screen is too small to display the installer. Ekranas yra per mažas, kad būtų parodyta diegimo programa. @@ -1773,6 +1778,16 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Nenustatytas joks šaknies prijungimo taškas, skirtas MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1911,6 +1926,19 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Nustatyti OEM partijos identifikatorių į <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2498,107 +2526,107 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. Skaidiniai - + Install %1 <strong>alongside</strong> another operating system. Diegti %1 <strong>šalia</strong> kitos operacinės sistemos. - + <strong>Erase</strong> disk and install %1. <strong>Ištrinti</strong> diską ir diegti %1. - + <strong>Replace</strong> a partition with %1. <strong>Pakeisti</strong> skaidinį, įrašant %1. - + <strong>Manual</strong> partitioning. <strong>Rankinis</strong> skaidymas. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Įdiegti %1 <strong>šalia</strong> kitos operacinės sistemos diske <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Ištrinti</strong> diską <strong>%2</strong> (%3) ir diegti %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Pakeisti</strong> skaidinį diske <strong>%2</strong> (%3), įrašant %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Rankinis</strong> skaidymas diske <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Diskas <strong>%1</strong> (%2) - + Current: Dabartinis: - + After: Po: - + No EFI system partition configured Nėra sukonfigūruoto EFI sistemos skaidinio - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. EFI sistemos skaidinys yra būtinas, norint paleisti %1.<br/><br/>Norėdami sukonfigūruoti EFI sistemos skaidinį, grįžkite atgal ir pasirinkite arba sukurkite FAT32 failų sistemą su įjungta <strong>%3</strong> vėliavėle ir <strong>%2</strong> prijungimo tašku.<br/><br/>Jūs galite tęsti ir nenustatę EFI sistemos skaidinio, tačiau tokiu atveju, gali nepavykti paleisti jūsų sistemos. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. EFI sistemos skaidinys yra būtinas, norint paleisti %1.<br/><br/>Skaidinys buvo sukonfigūruotas su prijungimo tašku <strong>%2</strong>, tačiau jo <strong>%3</strong> vėliavėlė yra nenustatyta.<br/>Norėdami nustatyti vėliavėlę, grįžkite atgal ir taisykite skaidinį.<br/><br/>Jūs galite tęsti ir nenustatę vėliavėlės, tačiau tokiu atveju, gali nepavykti paleisti jūsų sistemos. - + EFI system partition flag not set Nenustatyta EFI sistemos skaidinio vėliavėlė - + Option to use GPT on BIOS Parinktis naudoti GPT per BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT skaidinių lentelė yra geriausias variantas visoms sistemoms. Ši diegimo programa palaiko tokią sąranką taip pat ir BIOS sistemoms.<br/><br/>Norėdami konfigūruoti GPT skaidinių lentelę BIOS sistemoje, (jei dar nesate to padarę) grįžkite atgal ir nustatykite skaidinių lentelę į GPT, toliau, sukurkite 8 MB neformatuotą skaidinį su įjungta <strong>bios_grub</strong> vėliavėle.<br/><br/>Neformatuotas 8 MB skaidinys yra būtinas, norint paleisti %1 BIOS sistemoje su GPT. - + Boot partition not encrypted Paleidimo skaidinys nėra užšifruotas - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Kartu su užšifruotu šaknies skaidiniu, buvo nustatytas atskiras paleidimo skaidinys, tačiau paleidimo skaidinys nėra užšifruotas.<br/><br/>Dėl tokios sąrankos iškyla tam tikrų saugumo klausimų, kadangi svarbūs sisteminiai failai yra laikomi neužšifruotame skaidinyje.<br/>Jeigu norite, galite tęsti, tačiau failų sistemos atrakinimas įvyks vėliau, sistemos paleidimo metu.<br/>Norėdami užšifruoti paleidimo skaidinį, grįžkite atgal ir sukurkite jį iš naujo bei skaidinių kūrimo lange pažymėkite parinktį <strong>Užšifruoti</strong>. - + has at least one disk device available. turi bent vieną prieinamą disko įrenginį. - + There are no partitions to install on. Nėra skaidinių į kuriuos diegti. @@ -2664,14 +2692,14 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. ProcessResult - + There was no output from the command. Nebuvo jokios išvesties iš komandos. - + Output: @@ -2680,52 +2708,52 @@ Išvestis: - + External command crashed. Išorinė komanda užstrigo. - + Command <i>%1</i> crashed. Komanda <i>%1</i> užstrigo. - + External command failed to start. Nepavyko paleisti išorinės komandos. - + Command <i>%1</i> failed to start. Nepavyko paleisti komandos <i>%1</i>. - + Internal error when starting command. Paleidžiant komandą, įvyko vidinė klaida. - + Bad parameters for process job call. Blogi parametrai proceso užduoties iškvietai. - + External command failed to finish. Nepavyko pabaigti išorinės komandos. - + Command <i>%1</i> failed to finish in %2 seconds. Nepavyko per %2 sek. pabaigti komandos <i>%1</i>. - + External command finished with errors. Išorinė komanda pabaigta su klaidomis. - + Command <i>%1</i> finished with exit code %2. Komanda <i>%1</i> pabaigta su išėjimo kodu %2. @@ -2733,32 +2761,27 @@ Išvestis: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Reikalavimų tikrinimas <i>%1</i> moduliui yra užbaigtas. - - - + unknown nežinoma - + extended išplėsta - + unformatted nesutvarkyta - + swap sukeitimų (swap) @@ -2812,6 +2835,15 @@ Išvestis: Nesuskaidyta vieta arba nežinoma skaidinių lentelė + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2847,73 +2879,88 @@ Išvestis: Forma - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Pasirinkite, kur norėtumėte įdiegti %1.<br/><font color="red">Įspėjimas: </font>tai ištrins visus, pasirinktame skaidinyje esančius, failus. - + The selected item does not appear to be a valid partition. Pasirinktas elementas neatrodo kaip teisingas skaidinys. - + %1 cannot be installed on empty space. Please select an existing partition. %1 negali būti įdiegta laisvoje vietoje. Prašome pasirinkti esamą skaidinį. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 negali būti įdiegta išplėstame skaidinyje. Prašome pasirinkti esamą pirminį ar loginį skaidinį. - + %1 cannot be installed on this partition. %1 negali būti įdiegta šiame skaidinyje. - + Data partition (%1) Duomenų skaidinys (%1) - + Unknown system partition (%1) Nežinomas sistemos skaidinys (%1) - + %1 system partition (%2) %1 sistemos skaidinys (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Skaidinys %1 yra pernelyg mažas sistemai %2. Prašome pasirinkti skaidinį, kurio dydis siektų bent %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Šioje sistemoje niekur nepavyko rasti EFI skaidinio. Prašome grįžti ir naudoti rankinį skaidymą, kad nustatytumėte %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 sistema bus įdiegta skaidinyje %2.<br/><font color="red">Įspėjimas: </font>visi duomenys skaidinyje %2 bus prarasti. - + The EFI system partition at %1 will be used for starting %2. %2 paleidimui bus naudojamas EFI sistemos skaidinys, esantis %1. - + EFI system partition: EFI sistemos skaidinys: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3036,12 +3083,12 @@ Išvestis: ResultsListDialog - + For best results, please ensure that this computer: Norėdami pasiekti geriausių rezultatų, įsitikinkite kad šis kompiuteris: - + System requirements Sistemos reikalavimai @@ -3049,27 +3096,27 @@ Išvestis: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Šis kompiuteris netenkina minimalių %1 nustatymo reikalavimų.<br/>Sąranka negali būti tęsiama. <a href="#details">Išsamiau...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Šis kompiuteris netenkina minimalių %1 diegimo reikalavimų.<br/>Diegimas negali būti tęsiamas. <a href="#details">Išsamiau...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Šis kompiuteris netenkina kai kurių %1 nustatymui rekomenduojamų reikalavimų.<br/>Sąranką galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Šis kompiuteris netenkina kai kurių %1 diegimui rekomenduojamų reikalavimų.<br/>Diegimą galima tęsti, tačiau kai kurios funkcijos gali būti išjungtos. - + This program will ask you some questions and set up %2 on your computer. Programa užduos kelis klausimus ir padės įsidiegti %2. @@ -3352,51 +3399,80 @@ Išvestis: TrackingInstallJob - + Installation feedback Grįžtamasis ryšys apie diegimą - + Sending installation feedback. Siunčiamas grįžtamasis ryšys apie diegimą. - + Internal error in install-tracking. Vidinė klaida diegimo sekime. - + HTTP request timed out. Baigėsi HTTP užklausos laikas. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Grįžtamasis ryšys apie kompiuterį - + Configuring machine feedback. Konfigūruojamas grįžtamasis ryšys apie kompiuterį. - - + + Error in machine feedback configuration. Klaida grįžtamojo ryšio apie kompiuterį konfigūravime. - + Could not configure machine feedback correctly, script error %1. Nepavyko teisingai sukonfigūruoti grįžtamojo ryšio apie kompiuterį, scenarijaus klaida %1. - + Could not configure machine feedback correctly, Calamares error %1. Nepavyko teisingai sukonfigūruoti grįžtamojo ryšio apie kompiuterį, Calamares klaida %1. @@ -3415,8 +3491,8 @@ Išvestis: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Tai pažymėdami, nesiųsite <span style=" font-weight:600;">visiškai jokios informacijos</span> apie savo diegimą.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3424,30 +3500,30 @@ Išvestis: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Išsamesnei informacijai apie naudotojų grįžtamąjį ryšį, spustelėkite čia</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Diegimo sekimas padeda %1 matyti kiek jie turi naudotojų, į kokią aparatinę įrangą naudotojai diegia %1 ir (su paskutiniais dviejais parametrais žemiau), gauti tęstinę informaciją apie pageidaujamas programas. Norėdami matyti kas bus siunčiama, šalia kiekvienos srities spustelėkite žinyno piktogramą. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Tai pažymėdami, išsiųsite informaciją apie savo diegimą ir aparatinę įrangą. Ši informacija bus <b>išsiųsta tik vieną kartą</b>, užbaigus diegimą. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Tai pažymėdami, <b>periodiškai</b> siųsite informaciją apie savo diegimą, aparatinę įrangą ir programas į %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Tai pažymėdami, <b>reguliariai</b> siųsite informaciją apie savo diegimą, aparatinę įrangą, programas ir naudojimo būdus į %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Grįžtamasis ryšys @@ -3633,42 +3709,42 @@ Išvestis: Lai&dos informacija - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Jus sveikina Calamares sąrankos programa, skirta %1 sistemai.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Jus sveikina %1 sąranka.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Jus sveikina Calamares diegimo programa, skirta %1 sistemai.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Jus sveikina %1 diegimo programa.</h1> - + %1 support %1 palaikymas - + About %1 setup Apie %1 sąranką - + About %1 installer Apie %1 diegimo programą - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>skirta %3</strong><br/><br/>Autorių teisės 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Autorių teisės 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Dėkojame <a href="https://calamares.io/team/">Calamares komandai</a> ir <a href="https://www.transifex.com/calamares/calamares/">Calamares vertėjų komandai</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> plėtojimą remia <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Išlaisvinanti programinė įranga. @@ -3676,7 +3752,7 @@ Išvestis: WelcomeQmlViewStep - + Welcome Pasisveikinimas @@ -3684,7 +3760,7 @@ Išvestis: WelcomeViewStep - + Welcome Pasisveikinimas @@ -3724,6 +3800,26 @@ Išvestis: Atgal + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Atgal + + keyboardq @@ -3769,6 +3865,24 @@ Išvestis: Išbandykite savo klaviatūrą + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3842,27 +3956,27 @@ Išvestis: <p>Ši programa užduos jums kelis klausimus ir padės kompiuteryje nusistatyti %1.</p> - + About Apie - + Support Palaikymas - + Known issues Žinomos problemos - + Release notes Laidos informacija - + Donate Paaukoti diff --git a/lang/calamares_lv.ts b/lang/calamares_lv.ts index 4d6272e18..0ae072ce0 100644 --- a/lang/calamares_lv.ts +++ b/lang/calamares_lv.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -237,7 +242,7 @@ - + (%n second(s)) @@ -246,7 +251,7 @@ - + System-requirements checking is complete. @@ -275,13 +280,13 @@ - + &Yes - + &No @@ -316,108 +321,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -426,22 +431,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -458,32 +463,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -680,18 +685,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -744,48 +749,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1223,37 +1228,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1271,32 +1276,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1304,27 +1309,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1355,72 +1360,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1768,6 +1773,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2659,65 +2687,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2725,32 +2753,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2804,6 +2827,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2839,73 +2871,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3028,12 +3075,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3041,27 +3088,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3344,51 +3391,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3407,7 +3483,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3416,30 +3492,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3625,42 +3701,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3668,7 +3744,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3676,7 +3752,7 @@ Output: WelcomeViewStep - + Welcome @@ -3705,6 +3781,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3750,6 +3846,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3801,27 +3915,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_mk.ts b/lang/calamares_mk.ts index 69d35bdd9..49b253cec 100644 --- a/lang/calamares_mk.ts +++ b/lang/calamares_mk.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Инсталирај @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Готово @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Инсталацијата е готова. Исклучете го инсталерот. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ml.ts b/lang/calamares_ml.ts index b52077773..fc92eaad2 100644 --- a/lang/calamares_ml.ts +++ b/lang/calamares_ml.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up സജ്ജമാക്കുക - + Install ഇൻസ്റ്റാൾ ചെയ്യുക @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) ജോലി പരാജയപ്പെട്ടു (%1) - + Programmed job failure was explicitly requested. പ്രോഗ്രാം ചെയ്യപ്പെട്ട ജോലിയുടെ പരാജയം പ്രത്യേകമായി ആവശ്യപ്പെട്ടിരുന്നു. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done പൂർത്തിയായി @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) ഉദാഹരണം ജോലി (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. ടാർഗറ്റ് സിസ്റ്റത്തിൽ '%1' ആജ്ഞ പ്രവർത്തിപ്പിക്കുക. - + Run command '%1'. '%1' എന്ന ആജ്ഞ നടപ്പിലാക്കുക. - + Running command %1 %2 %1 %2 ആജ്ഞ നടപ്പിലാക്കുന്നു @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 ക്രിയ നടപ്പിലാക്കുന്നു. - + Bad working directory path പ്രവർത്ഥനരഹിതമായ ഡയറക്ടറി പാത - + Working directory %1 for python job %2 is not readable. പൈതൺ ജോബ് %2 യുടെ പ്രവർത്തന പാതയായ %1 വായിക്കുവാൻ കഴിയുന്നില്ല - + Bad main script file മോശമായ പ്രധാന സ്ക്രിപ്റ്റ് ഫയൽ - + Main script file %1 for python job %2 is not readable. പൈത്തൺ ജോബ് %2 നായുള്ള പ്രധാന സ്ക്രിപ്റ്റ് ഫയൽ %1 വായിക്കാൻ കഴിയുന്നില്ല. - + Boost.Python error in job "%1". "%1" എന്ന പ്രവൃത്തിയില്‍ ബൂസ്റ്റ്.പൈതണ്‍ പിശക് @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i>മൊഡ്യൂളിനായുള്ള ആവശ്യകതകൾ പരിശോധിക്കൽ പൂർത്തിയായിരിക്കുന്നു. + - + Waiting for %n module(s). %n മൊഡ്യൂളിനായി കാത്തിരിക്കുന്നു. @@ -236,7 +241,7 @@ - + (%n second(s)) (%1 സെക്കൻഡ്) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. സിസ്റ്റം-ആവശ്യകതകളുടെ പരിശോധന പൂർത്തിയായി. @@ -273,13 +278,13 @@ - + &Yes വേണം (&Y) - + &No വേണ്ട (&N) @@ -314,109 +319,109 @@ <br/>താഴെ പറയുന്ന മൊഡ്യൂളുകൾ ലഭ്യമാക്കാനായില്ല: - + Continue with setup? സജ്ജീകരണപ്രക്രിയ തുടരണോ? - + Continue with installation? ഇൻസ്റ്റളേഷൻ തുടരണോ? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %2 സജ്ജീകരിക്കുന്നതിന് %1 സജ്ജീകരണ പ്രോഗ്രാം നിങ്ങളുടെ ഡിസ്കിൽ മാറ്റങ്ങൾ വരുത്താൻ പോകുന്നു.<br/><strong>നിങ്ങൾക്ക് ഈ മാറ്റങ്ങൾ പഴയപടിയാക്കാൻ കഴിയില്ല</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %2 ഇൻസ്റ്റാളുചെയ്യുന്നതിന് %1 ഇൻസ്റ്റാളർ നിങ്ങളുടെ ഡിസ്കിൽ മാറ്റങ്ങൾ വരുത്താൻ പോകുന്നു.<br/><strong>നിങ്ങൾക്ക് ഈ മാറ്റങ്ങൾ പഴയപടിയാക്കാൻ കഴിയില്ല.</strong> - + &Set up now ഉടൻ സജ്ജീകരിക്കുക (&S) - + &Install now ഉടൻ ഇൻസ്റ്റാൾ ചെയ്യുക (&I) - + Go &back പുറകോട്ടു പോകുക - + &Set up സജ്ജീകരിക്കുക (&S) - + &Install ഇൻസ്റ്റാൾ (&I) - + Setup is complete. Close the setup program. സജ്ജീകരണം പൂർത്തിയായി. പ്രയോഗം അടയ്ക്കുക. - + The installation is complete. Close the installer. ഇൻസ്റ്റളേഷൻ പൂർത്തിയായി. ഇൻസ്റ്റാളർ അടയ്ക്കുക - + Cancel setup without changing the system. സിസ്റ്റത്തിന് മാറ്റമൊന്നും വരുത്താതെ സജ്ജീകരണപ്രക്രിയ റദ്ദാക്കുക. - + Cancel installation without changing the system. സിസ്റ്റത്തിന് മാറ്റമൊന്നും വരുത്താതെ ഇൻസ്റ്റളേഷൻ റദ്ദാക്കുക. - + &Next അടുത്തത് (&N) - + &Back പുറകോട്ട് (&B) - + &Done ചെയ്‌തു - + &Cancel റദ്ദാക്കുക (&C) - + Cancel setup? സജ്ജീകരണം റദ്ദാക്കണോ? - + Cancel installation? ഇൻസ്റ്റളേഷൻ റദ്ദാക്കണോ? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. നിലവിലുള്ള സജ്ജീകരണപ്രക്രിയ റദ്ദാക്കണോ? സജ്ജീകരണപ്രയോഗം നിൽക്കുകയും എല്ലാ മാറ്റങ്ങളും നഷ്ടപ്പെടുകയും ചെയ്യും. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. നിലവിലുള്ള ഇൻസ്റ്റാൾ പ്രക്രിയ റദ്ദാക്കണോ? @@ -426,22 +431,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type അജ്ഞാതമായ പിശക് - + unparseable Python error മനസ്സിലാക്കാനാവാത്ത പൈത്തൺ പിഴവ് - + unparseable Python traceback മനസ്സിലാക്കാനാവാത്ത പൈത്തൺ ട്രേസ്ബാക്ക് - + Unfetchable Python error. ലഭ്യമാക്കാനാവാത്ത പൈത്തൺ പിഴവ്. @@ -459,32 +464,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information ഡീബഗ് വിവരങ്ങൾ കാണിക്കുക - + &Back പുറകോട്ട് (&B) - + &Next അടുത്തത് (&N) - + &Cancel റദ്ദാക്കുക (&C) - + %1 Setup Program %1 സജ്ജീകരണപ്രയോഗം - + %1 Installer %1 ഇൻസ്റ്റാളർ @@ -681,18 +686,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. ആജ്ഞ പ്രവർത്തിപ്പിക്കാനായില്ല. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. കമാൻഡ് ഹോസ്റ്റ് എൻവയോൺമെന്റിൽ പ്രവർത്തിക്കുന്നു, റൂട്ട് പാത്ത് അറിയേണ്ടതുണ്ട്, പക്ഷേ rootMountPoint നിർവചിച്ചിട്ടില്ല. - + The command needs to know the user's name, but no username is defined. കമാൻഡിന് ഉപയോക്താവിന്റെ പേര് അറിയേണ്ടതുണ്ട്,എന്നാൽ ഉപയോക്തൃനാമമൊന്നും നിർവചിച്ചിട്ടില്ല. @@ -745,49 +750,49 @@ The installer will quit and all changes will be lost. നെറ്റ്‌വർക്ക് ഇൻസ്റ്റാളേഷൻ. (അപ്രാപ്‌തമാക്കി: പാക്കേജ് ലിസ്റ്റുകൾ നേടാനായില്ല, നിങ്ങളുടെ നെറ്റ്‌വർക്ക് കണക്ഷൻ പരിശോധിക്കുക) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> %1 സജ്ജീകരിക്കുന്നതിനുള്ള ഏറ്റവും കുറഞ്ഞ ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാനാവില്ല. <a href="#details">വിവരങ്ങൾ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> %1 ഇൻസ്റ്റാൾ ചെയ്യുന്നതിനുള്ള ഏറ്റവും കുറഞ്ഞ ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാനാവില്ല. <a href="#details">വിവരങ്ങൾ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. %1 സജ്ജീകരിക്കുന്നതിനുള്ള ചില ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. %1 ഇൻസ്റ്റാൾ ചെയ്യാൻ ശുപാർശ ചെയ്യപ്പെട്ടിട്ടുള്ള ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. - + This program will ask you some questions and set up %2 on your computer. ഈ പ്രക്രിയ താങ്കളോട് ചില ചോദ്യങ്ങൾ ചോദിക്കുകയും %2 താങ്കളുടെ കമ്പ്യൂട്ടറിൽ സജ്ജീകരിക്കുകയും ചെയ്യും. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1 -നായുള്ള കലാമാരേസ് സജ്ജീകരണപ്രക്രിയയിലേയ്ക്ക് സ്വാഗതം.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>%1 സജ്ജീകരണത്തിലേക്ക് സ്വാഗതം.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1 -നായുള്ള കലാമാരേസ് ഇൻസ്റ്റാളറിലേക്ക് സ്വാഗതം.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 ഇൻസ്റ്റാളറിലേക്ക് സ്വാഗതം</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information പാർട്ടീഷൻ വിവരങ്ങൾ ക്രമീകരിക്കുക - + Install %1 on <strong>new</strong> %2 system partition. <strong>പുതിയ</strong> %2 സിസ്റ്റം പാർട്ടീഷനിൽ %1 ഇൻസ്റ്റാൾ ചെയ്യുക. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. <strong>%1</strong> മൗണ്ട് പോയിന്റോട് കൂടി <strong>പുതിയ</strong> %2 പാർട്ടീഷൻ സജ്ജീകരിക്കുക. - + Install %2 on %3 system partition <strong>%1</strong>. %3 സിസ്റ്റം പാർട്ടീഷൻ <strong>%1-ൽ</strong> %2 ഇൻസ്റ്റാൾ ചെയ്യുക. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. <strong>%2</strong> മൗണ്ട് പോയിന്റോട് കൂടി %3 പാർട്ടീഷൻ %1 സജ്ജീകരിക്കുക. - + Install boot loader on <strong>%1</strong>. <strong>%1-ൽ</strong> ബൂട്ട് ലോഡർ ഇൻസ്റ്റാൾ ചെയ്യുക. - + Setting up mount points. മൗണ്ട് പോയിന്റുകൾ സജ്ജീകരിക്കുക. @@ -1272,32 +1277,32 @@ The installer will quit and all changes will be lost. ഇപ്പോൾ റീസ്റ്റാർട്ട് ചെയ്യുക (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>എല്ലാം പൂർത്തിയായി.</h1><br/>%1 താങ്കളുടെ കമ്പ്യൂട്ടറിൽ സജ്ജമാക്കപ്പെട്ടിരിക്കുന്നു. <br/>താങ്കൾക്ക് താങ്കളുടെ പുതിയ സിസ്റ്റം ഉപയോഗിച്ച് തുടങ്ങാം. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>ഈ ബോക്സിൽ ശെരിയിട്ടാൽ,നിങ്ങളുടെ സിസ്റ്റം <span style="font-style:italic;">പൂർത്തിയായി </span>അമർത്തുമ്പോഴോ സജ്ജീകരണ പ്രോഗ്രാം അടയ്ക്കുമ്പോഴോ ഉടൻ പുനരാരംഭിക്കും. - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>എല്ലാം പൂർത്തിയായി.</h1><br/> %1 നിങ്ങളുടെ കമ്പ്യൂട്ടറിൽ ഇൻസ്റ്റാൾ ചെയ്തു. <br/>നിങ്ങൾക്ക് ഇപ്പോൾ നിങ്ങളുടെ പുതിയ സിസ്റ്റത്തിലേക്ക് പുനരാരംഭിക്കാം അല്ലെങ്കിൽ %2 ലൈവ് എൻവയോൺമെൻറ് ഉപയോഗിക്കുന്നത് തുടരാം. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>ഈ ബോക്സിൽ ശെരിയിട്ടാൽ,നിങ്ങളുടെ സിസ്റ്റം <span style="font-style:italic;">പൂർത്തിയായി </span>അമർത്തുമ്പോഴോ സജ്ജീകരണ പ്രോഗ്രാം അടയ്ക്കുമ്പോഴോ ഉടൻ പുനരാരംഭിക്കും. - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>സജ്ജീകരണം പരാജയപ്പെട്ടു</h1><br/>നിങ്ങളുടെ കമ്പ്യൂട്ടറിൽ %1 സജ്ജമാക്കിയിട്ടില്ല.<br/>പിശക് സന്ദേശം ഇതായിരുന്നു: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>ഇൻസ്റ്റാളേഷൻ പരാജയപ്പെട്ടു</h1><br/> നിങ്ങളുടെ കമ്പ്യൂട്ടറിൽ %1 സജ്ജമാക്കിയിട്ടില്ല.<br/>പിശക് സന്ദേശം ഇതായിരുന്നു: %2. @@ -1305,27 +1310,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish പൂർത്തിയാക്കുക - + Setup Complete സജ്ജീകരണം പൂർത്തിയായി - + Installation Complete ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി - + The setup of %1 is complete. %1 ന്റെ സജ്ജീകരണം പൂർത്തിയായി. - + The installation of %1 is complete. %1 ന്റെ ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായി. @@ -1356,72 +1361,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space %1 GiB ഡിസ്ക്സ്പെയ്സ് എങ്കിലും ലഭ്യമായിരിക്കണം. - + There is not enough drive space. At least %1 GiB is required. ആവശ്യത്തിനു ഡിസ്ക്സ്പെയ്സ് ലഭ്യമല്ല. %1 GiB എങ്കിലും വേണം. - + has at least %1 GiB working memory %1 GiB RAM എങ്കിലും ലഭ്യമായിരിക്കണം. - + The system does not have enough working memory. At least %1 GiB is required. സിസ്റ്റത്തിൽ ആവശ്യത്തിനു RAM ലഭ്യമല്ല. %1 GiB എങ്കിലും വേണം. - + is plugged in to a power source ഒരു ഊർജ്ജസ്രോതസ്സുമായി ബന്ധിപ്പിച്ചിരിക്കുന്നു - + The system is not plugged in to a power source. സിസ്റ്റം ഒരു ഊർജ്ജസ്രോതസ്സിലേക്ക് ബന്ധിപ്പിച്ചിട്ടില്ല. - + is connected to the Internet ഇന്റർനെറ്റിലേക്ക് ബന്ധിപ്പിച്ചിരിക്കുന്നു - + The system is not connected to the Internet. സിസ്റ്റം ഇന്റർനെറ്റുമായി ബന്ധിപ്പിച്ചിട്ടില്ല. - + is running the installer as an administrator (root) ഇൻസ്റ്റാളർ കാര്യനിർവാഹകരിൽ ഒരാളായിട്ടാണ് (root) പ്രവർത്തിപ്പിക്കുന്നത് - + The setup program is not running with administrator rights. സെറ്റപ്പ് പ്രോഗ്രാം അഡ്മിനിസ്ട്രേറ്റർ അവകാശങ്ങൾ ഇല്ലാതെയാണ് പ്രവർത്തിക്കുന്നത്. - + The installer is not running with administrator rights. ഇൻസ്റ്റാളർ അഡ്മിനിസ്ട്രേറ്റർ അവകാശങ്ങൾ ഇല്ലാതെയാണ് പ്രവർത്തിക്കുന്നത് - + has a screen large enough to show the whole installer മുഴുവൻ ഇൻസ്റ്റാളറും കാണിക്കാൻ തക്ക വലിപ്പമുള്ള ഒരു സ്ക്രീനുണ്ട് - + The screen is too small to display the setup program. സജ്ജീകരണ പ്രയോഗം കാണിക്കാൻ തക്ക വലുപ്പം സ്ക്രീനിനില്ല. - + The screen is too small to display the installer. ഇൻസ്റ്റാളർ കാണിക്കാൻ തക്ക വലുപ്പം സ്ക്രീനിനില്ല. @@ -1769,6 +1774,16 @@ The installer will quit and all changes will be lost. മെഷീൻ ഐഡിയ്ക്ക് റൂട്ട് മൗണ്ട് പോയിന്റൊന്നും ക്രമീകരിച്ചിട്ടില്ല + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ The installer will quit and all changes will be lost. OEM ബാച്ച് ഐഡന്റിഫയർ <code>%1</code> ആയി ക്രമീകരിക്കുക. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ The installer will quit and all changes will be lost. പാർട്ടീഷനുകൾ - + Install %1 <strong>alongside</strong> another operating system. മറ്റൊരു ഓപ്പറേറ്റിംഗ് സിസ്റ്റത്തിനൊപ്പം %1 ഇൻസ്റ്റാൾ ചെയ്യുക. - + <strong>Erase</strong> disk and install %1. ഡിസ്ക് <strong>മായ്ക്കുക</strong>എന്നിട്ട് %1 ഇൻസ്റ്റാൾ ചെയ്യുക. - + <strong>Replace</strong> a partition with %1. ഒരു പാർട്ടീഷൻ %1 ഉപയോഗിച്ച് <strong>പുനഃസ്ഥാപിക്കുക.</strong> - + <strong>Manual</strong> partitioning. <strong>സ്വമേധയാ</strong> ഉള്ള പാർട്ടീഷനിങ്. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). %2 (%3) ഡിസ്കിൽ മറ്റൊരു ഓപ്പറേറ്റിംഗ് സിസ്റ്റത്തിനൊപ്പം %1 ഇൻസ്റ്റാൾ ചെയ്യുക. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. ഡിസ്ക് <strong>%2</strong> (%3) <strong>മായ്‌ച്ച് </strong> %1 ഇൻസ്റ്റാൾ ചെയ്യുക. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>%2</strong> (%3) ഡിസ്കിലെ ഒരു പാർട്ടീഷൻ %1 ഉപയോഗിച്ച് <strong>മാറ്റിസ്ഥാപിക്കുക</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>%1 </strong>(%2) ഡിസ്കിലെ <strong>സ്വമേധയാ</strong> പാർട്ടീഷനിംഗ്. - + Disk <strong>%1</strong> (%2) ഡിസ്ക് <strong>%1</strong> (%2) - + Current: നിലവിലുള്ളത്: - + After: ശേഷം: - + No EFI system partition configured ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷനൊന്നും ക്രമീകരിച്ചിട്ടില്ല - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷൻ ഫ്ലാഗ് ക്രമീകരിച്ചിട്ടില്ല - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted ബൂട്ട് പാർട്ടീഷൻ എൻക്രിപ്റ്റ് ചെയ്യപ്പെട്ടിട്ടില്ല - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. എൻക്രിപ്റ്റ് ചെയ്ത ഒരു റൂട്ട് പാർട്ടീഷനോടൊപ്പം ഒരു വേർപെടുത്തിയ ബൂട്ട് പാർട്ടീഷനും ക്രമീകരിക്കപ്പെട്ടിരുന്നു, എന്നാൽ ബൂട്ട് പാർട്ടീഷൻ എൻക്രിപ്റ്റ് ചെയ്യപ്പെട്ടതല്ല.<br/><br/>ഇത്തരം സജ്ജീകരണത്തിന്റെ സുരക്ഷ ഉത്കണ്ഠാജനകമാണ്, എന്തെന്നാൽ പ്രധാനപ്പെട്ട സിസ്റ്റം ഫയലുകൾ ഒരു എൻക്രിപ്റ്റ് ചെയ്യപ്പെടാത്ത പാർട്ടീഷനിലാണ് സൂക്ഷിച്ചിട്ടുള്ളത്.<br/> താങ്കൾക്ക് വേണമെങ്കിൽ തുടരാം, പക്ഷേ ഫയൽ സിസ്റ്റം തുറക്കൽ സിസ്റ്റം ആരംഭപ്രക്രിയയിൽ വൈകിയേ സംഭവിക്കൂ.<br/>ബൂട്ട് പാർട്ടീഷൻ എൻക്രിപ്റ്റ് ചെയ്യാനായി, തിരിച്ചു പോയി പാർട്ടീഷൻ നിർമ്മാണ ജാലകത്തിൽ <strong>എൻക്രിപ്റ്റ്</strong> തിരഞ്ഞെടുത്തുകൊണ്ട് അത് വീണ്ടും നിർമ്മിക്കുക. - + has at least one disk device available. ഒരു ഡിസ്ക് ഡിവൈസെങ്കിലും ലഭ്യമാണ്. - + There are no partitions to install on. @@ -2660,14 +2688,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. ആജ്ഞയിൽ നിന്നും ഔട്ട്പുട്ടൊന്നുമില്ല. - + Output: @@ -2676,52 +2704,52 @@ Output: - + External command crashed. ബാഹ്യമായ ആജ്ഞ തകർന്നു. - + Command <i>%1</i> crashed. ആജ്ഞ <i>%1</i> പ്രവർത്തനരഹിതമായി. - + External command failed to start. ബാഹ്യമായ ആജ്ഞ ആരംഭിക്കുന്നതിൽ പരാജയപ്പെട്ടു. - + Command <i>%1</i> failed to start. <i>%1</i>ആജ്ഞ ആരംഭിക്കുന്നതിൽ പരാജയപ്പെട്ടു. - + Internal error when starting command. ആജ്ഞ ആരംഭിക്കുന്നതിൽ ആന്തരികമായ പിഴവ്. - + Bad parameters for process job call. പ്രക്രിയ ജോലി വിളിയ്ക്ക് ശരിയല്ലാത്ത പരാമീറ്ററുകൾ. - + External command failed to finish. ബാഹ്യമായ ആജ്ഞ പൂർത്തിയാവുന്നതിൽ പരാജയപ്പെട്ടു. - + Command <i>%1</i> failed to finish in %2 seconds. ആജ്ഞ <i>%1</i> %2 സെക്കൻഡുകൾക്കുള്ളിൽ പൂർത്തിയാവുന്നതിൽ പരാജയപ്പെട്ടു. - + External command finished with errors. ബാഹ്യമായ ആജ്ഞ പിഴവുകളോട് കൂടീ പൂർത്തിയായി. - + Command <i>%1</i> finished with exit code %2. ആജ്ഞ <i>%1</i> എക്സിറ്റ് കോഡ് %2ഓട് കൂടി പൂർത്തിയായി. @@ -2729,32 +2757,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - <i>%1</i>മൊഡ്യൂളിനായുള്ള ആവശ്യകതകൾ പരിശോധിക്കൽ പൂർത്തിയായിരിക്കുന്നു. - - - + unknown അജ്ഞാതം - + extended വിസ്തൃതമായത് - + unformatted ഫോർമാറ്റ് ചെയ്യപ്പെടാത്തത് - + swap സ്വാപ്പ് @@ -2808,6 +2831,15 @@ Output: പാർട്ടീഷൻ ചെയ്യപ്പെടാത്ത സ്ഥലം അല്ലെങ്കിൽ അപരിചിതമായ പാർട്ടീഷൻ ടേബിൾ + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Output: ഫോം - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. %1 എവിടെ ഇൻസ്റ്റാൾ ചെയ്യണമെന്ന് തിരഞ്ഞെടുക്കുക.<br/><font color="red">മുന്നറിയിപ്പ്: </font> ഇത് തിരഞ്ഞെടുത്ത പാർട്ടീഷനിലെ എല്ലാ ഫയലുകളും നീക്കം ചെയ്യും. - + The selected item does not appear to be a valid partition. തിരഞ്ഞെടുക്കപ്പെട്ടത് സാധുവായ ഒരു പാർട്ടീഷനായി തോന്നുന്നില്ല. - + %1 cannot be installed on empty space. Please select an existing partition. %1 ഒരു ശൂന്യമായ സ്ഥലത്ത് ഇൻസ്റ്റാൾ ചെയ്യാൻ സാധിക്കില്ല. ദയവായി നിലവിലുള്ള ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കൂ. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 ഒരു എക്സ്റ്റൻഡഡ് പാർട്ടീഷനിൽ ചെയ്യാൻ സാധിക്കില്ല. ദയവായി നിലവിലുള്ള ഒരു പ്രൈമറി അല്ലെങ്കിൽ ലോജിക്കൽ പാർട്ടീഷൻ തിരഞ്ഞെടുക്കൂ. - + %1 cannot be installed on this partition. %1 ഈ പാർട്ടീഷനിൽ ഇൻസ്റ്റാൾ ചെയ്യാൻ സാധിക്കില്ല. - + Data partition (%1) ഡാറ്റ പാർട്ടീഷൻ (%1) - + Unknown system partition (%1) അപരിചിതമായ സിസ്റ്റം പാർട്ടീഷൻ (%1) - + %1 system partition (%2) %1 സിസ്റ്റം പാർട്ടീഷൻ (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>പാർട്ടീഷൻ %1 %2ന് തീരെ ചെറുതാണ്. ദയവായി %3ജിബി എങ്കീലും ഇടമുള്ള ഒരു പാർട്ടീഷൻ തിരഞ്ഞെടുക്കൂ. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>ഈ സിസ്റ്റത്തിൽ എവിടേയും ഒരു ഇഎഫ്ഐ സിസ്റ്റം പർട്ടീഷൻ കണ്ടെത്താനായില്ല. %1 സജ്ജീകരിക്കുന്നതിന് ദയവായി തിരിച്ചുപോയി മാനുവൽ പാർട്ടീഷനിങ്ങ് ഉപയോഗിക്കുക. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 %2ൽ ഇൻസ്റ്റാൾ ചെയ്യപ്പെടും.<br/><font color="red">മുന്നറിയിപ്പ്:</font>പാർട്ടീഷൻ %2ൽ ഉള്ള എല്ലാ ഡാറ്റയും നഷ്ടപ്പെടും. - + The EFI system partition at %1 will be used for starting %2. %1 ലെ ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷൻ %2 ആരംഭിക്കുന്നതിന് ഉപയോഗിക്കും. - + EFI system partition: ഇഎഫ്ഐ സിസ്റ്റം പാർട്ടീഷൻ + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: മികച്ച ഫലങ്ങൾക്കായി ഈ കമ്പ്യൂട്ടർ താഴെപ്പറയുന്നവ നിറവേറ്റുന്നു എന്നുറപ്പുവരുത്തുക: - + System requirements സിസ്റ്റം ആവശ്യകതകൾ @@ -3045,27 +3092,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> %1 സജ്ജീകരിക്കുന്നതിനുള്ള ഏറ്റവും കുറഞ്ഞ ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാനാവില്ല. <a href="#details">വിവരങ്ങൾ...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> %1 ഇൻസ്റ്റാൾ ചെയ്യുന്നതിനുള്ള ഏറ്റവും കുറഞ്ഞ ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാനാവില്ല. <a href="#details">വിവരങ്ങൾ...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. %1 സജ്ജീകരിക്കുന്നതിനുള്ള ചില ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>സജ്ജീകരണം തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. %1 ഇൻസ്റ്റാൾ ചെയ്യാൻ ശുപാർശ ചെയ്യപ്പെട്ടിട്ടുള്ള ആവശ്യങ്ങൾ ഈ കമ്പ്യൂട്ടർ നിറവേറ്റുന്നില്ല.<br/>ഇൻസ്റ്റളേഷൻ തുടരാം, പക്ഷേ ചില സവിശേഷതകൾ നിഷ്ക്രിയമായിരിക്കാം. - + This program will ask you some questions and set up %2 on your computer. ഈ പ്രക്രിയ താങ്കളോട് ചില ചോദ്യങ്ങൾ ചോദിക്കുകയും %2 താങ്കളുടെ കമ്പ്യൂട്ടറിൽ സജ്ജീകരിക്കുകയും ചെയ്യും. @@ -3348,51 +3395,80 @@ Output: TrackingInstallJob - + Installation feedback ഇൻസ്റ്റളേഷനെ പറ്റിയുള്ള പ്രതികരണം - + Sending installation feedback. ഇൻസ്റ്റളേഷനെ പറ്റിയുള്ള പ്രതികരണം അയയ്ക്കുന്നു. - + Internal error in install-tracking. ഇൻസ്റ്റാൾ-പിന്തുടരുന്നതിൽ ആന്തരികമായ പിഴവ്. - + HTTP request timed out. HTTP അപേക്ഷയുടെ സമയപരിധി കഴിഞ്ഞു. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണം - + Configuring machine feedback. ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണം ക്രമീകരിക്കുന്നു. - - + + Error in machine feedback configuration. ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണത്തിന്റെ ക്രമീകരണത്തിൽ പിഴവ്. - + Could not configure machine feedback correctly, script error %1. ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണം ശരിയായി ക്രമീകരിക്കാനായില്ല. സ്ക്രിപ്റ്റ് പിഴവ് %1. - + Could not configure machine feedback correctly, Calamares error %1. ഉപകരണത്തിൽ നിന്നുള്ള പ്രതികരണം ശരിയായി ക്രമീകരിക്കാനായില്ല. കലാമാരേസ് പിഴവ് %1. @@ -3411,8 +3487,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>ഇത് തിരഞ്ഞെടുക്കുന്നതിലൂടെ, നിങ്ങളുടെ ഇൻസ്റ്റാളേഷനെക്കുറിച്ച് <span style=" font-weight:600;">ഒരു വിവരവും നിങ്ങൾ അയയ്‌ക്കില്ല.</span></p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">ഉപയോക്തൃ ഫീഡ്‌ബാക്കിനെക്കുറിച്ചുള്ള കൂടുതൽ വിവരങ്ങൾക്ക് ഇവിടെ ക്ലിക്കുചെയ്യുക</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - എത്ര ഉപയോക്താക്കളുണ്ട് ,ഏത് ഹാർഡ്‌വെയറിലാണ് %1 ഇൻസ്റ്റാൾ ചെയ്യുന്നത് (ചുവടെയുള്ള അവസാന രണ്ടു ഓപ്ഷനുകൾക്കൊപ്പം) കൂടാതെ നിങ്ങൾ മുന്ഗണന നൽകുന്ന പ്രയോഗങ്ങളെക്കുറിച്ചുള്ള വിവരങ്ങൾ നേടുന്നതിന് %1 ഇൻസ്റ്റാൾ ട്രാക്കിംഗ് സഹായിക്കുന്നു.എന്താണ് അയയ്‌ക്കുന്നതെന്ന് കാണാൻ, ഓരോ ഭാഗത്തിനും അടുത്തുള്ള സഹായ ഐക്കണിൽ ക്ലിക്കുചെയ്യുക. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - ഇത് തിരഞ്ഞെടുക്കുന്നതിലൂടെ നിങ്ങളുടെ ഇൻസ്റ്റാളേഷനെക്കുറിച്ചും ഹാർഡ്‌വെയറിനെക്കുറിച്ചും വിവരങ്ങൾ അയയ്ക്കും. ഇൻസ്റ്റാളേഷൻ പൂർത്തിയായതിന് ശേഷം <b>ഒരു തവണ മാത്രമേ ഈ വിവരങ്ങൾ അയയ്ക്കൂ</b>. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - ഇത് തിരഞ്ഞെടുക്കുന്നതിലൂടെ താങ്കൾ <b>ഇടയ്ക്കിടെ</b>താങ്കളുടെ ഇൻസ്റ്റളേഷനെയും ഹാർഡ്‌വെയറിനെയും പ്രയോഗങ്ങളേയും പറ്റിയുള്ള വിവരങ്ങൾ %1ന് അയച്ചുകൊടുക്കും. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - ഇത് തിരഞ്ഞെടുക്കുന്നതിലൂടെ നിങ്ങളുടെ ഇൻസ്റ്റാളേഷൻ, ഹാർഡ്‌വെയർ, ആപ്ലിക്കേഷനുകൾ, ഉപയോഗ രീതികൾ എന്നിവയെക്കുറിച്ചുള്ള വിവരങ്ങൾ <b>പതിവായി</b> %1 ലേക്ക് അയയ്ക്കും. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback പ്രതികരണം @@ -3629,42 +3705,42 @@ Output: പ്രകാശന കുറിപ്പുകൾ (&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1 -നായുള്ള കലാമാരേസ് സജ്ജീകരണപ്രക്രിയയിലേയ്ക്ക് സ്വാഗതം.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>%1 സജ്ജീകരണത്തിലേക്ക് സ്വാഗതം.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1 -നായുള്ള കലാമാരേസ് ഇൻസ്റ്റാളറിലേക്ക് സ്വാഗതം.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 ഇൻസ്റ്റാളറിലേക്ക് സ്വാഗതം</h1> - + %1 support %1 പിന്തുണ - + About %1 setup %1 സജ്ജീകരണത്തെക്കുറിച്ച് - + About %1 installer %1 ഇൻസ്റ്റാളറിനെ കുറിച്ച് - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Output: WelcomeQmlViewStep - + Welcome സ്വാഗതം @@ -3680,7 +3756,7 @@ Output: WelcomeViewStep - + Welcome സ്വാഗതം @@ -3709,6 +3785,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3754,6 +3850,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3805,27 +3919,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_mr.ts b/lang/calamares_mr.ts index bc9f94226..f564dc3d0 100644 --- a/lang/calamares_mr.ts +++ b/lang/calamares_mr.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install अधिष्ठापना @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done पूर्ण झाली @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 %1 %2 आज्ञा चालवला जातोय @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 क्रिया चालवला जातोय - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &होय - + &No &नाही @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now &आता अधिष्ठापित करा - + Go &back &मागे जा - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. अधिष्ठापना संपूर्ण झाली. अधिष्ठापक बंद करा. - + Cancel setup without changing the system. - + Cancel installation without changing the system. प्रणालीत बदल न करता अधिष्टापना रद्द करा. - + &Next &पुढे - + &Back &मागे - + &Done &पूर्ण झाली - + &Cancel &रद्द करा - + Cancel setup? - + Cancel installation? अधिष्ठापना रद्द करायचे? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information दोषमार्जन माहिती दर्शवा - + &Back &मागे - + &Next &पुढे - + &Cancel &रद्द करा - + %1 Setup Program - + %1 Installer %1 अधिष्ठापक @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,49 +747,49 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>‌%1 साठी असलेल्या अधिष्ठापकमध्ये स्वागत आहे.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>‌%1 अधिष्ठापकमधे स्वागत आहे.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: सद्या : - + After: नंतर : - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: स्वरुप - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements प्रणालीची आवशक्यता @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob - + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: &प्रकाशन टिपा - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>‌%1 साठी असलेल्या अधिष्ठापकमध्ये स्वागत आहे.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>‌%1 अधिष्ठापकमधे स्वागत आहे.</h1> - + %1 support %1 पाठबळ - + About %1 setup - + About %1 installer %1 अधिष्ठापक बद्दल - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome स्वागत @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome स्वागत @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_nb.ts b/lang/calamares_nb.ts index 626fe0d4a..6c11386a2 100644 --- a/lang/calamares_nb.ts +++ b/lang/calamares_nb.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Installer @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Ferdig @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Kjører kommando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path Feil filsti til arbeidsmappe - + Working directory %1 for python job %2 is not readable. Arbeidsmappe %1 for python oppgave %2 er ikke lesbar. - + Bad main script file Ugyldig hovedskriptfil - + Main script file %1 for python job %2 is not readable. Hovedskriptfil %1 for python oppgave %2 er ikke lesbar. - + Boost.Python error in job "%1". Boost.Python feil i oppgave "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &Ja - + &No &Nei @@ -314,108 +319,108 @@ - + Continue with setup? Fortsette å sette opp? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 vil nå gjøre endringer på harddisken, for å installere %2. <br/><strong>Du vil ikke kunne omgjøre disse endringene.</strong> - + &Set up now - + &Install now &Installer nå - + Go &back Gå &tilbake - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Installasjonen er fullført. Lukk installeringsprogrammet. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Neste - + &Back &Tilbake - + &Done &Ferdig - + &Cancel &Avbryt - + Cancel setup? - + Cancel installation? Avbryte installasjon? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Vil du virkelig avbryte installasjonen? @@ -425,22 +430,22 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. CalamaresPython::Helper - + Unknown exception type Ukjent unntakstype - + unparseable Python error Ikke-kjørbar Python feil - + unparseable Python traceback Ikke-kjørbar Python tilbakesporing - + Unfetchable Python error. Ukjent Python feil. @@ -457,32 +462,32 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. CalamaresWindow - + Show debug information Vis feilrettingsinformasjon - + &Back &Tilbake - + &Next &Neste - + &Cancel &Avbryt - + %1 Setup Program - + %1 Installer %1 Installasjonsprogram @@ -679,18 +684,18 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -743,48 +748,48 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Denne datamaskinen oppfyller ikke minimumskravene for installering %1.<br/> Installeringen kan ikke fortsette. <a href="#details">Detaljer..</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1222,37 +1227,37 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1270,32 +1275,32 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt.&Start på nytt nå - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Innnstallasjonen mislyktes</h1><br/>%1 har ikke blitt installert på datamaskinen din.<br/>Feilmeldingen var: %2. @@ -1303,27 +1308,27 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete Installasjon fullført - + The setup of %1 is complete. - + The installation of %1 is complete. Installasjonen av %1 er fullført. @@ -1354,72 +1359,72 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source er koblet til en strømkilde - + The system is not plugged in to a power source. Systemet er ikke koblet til en strømkilde. - + is connected to the Internet er tilkoblet Internett - + The system is not connected to the Internet. Systemet er ikke tilkoblet Internett. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1767,6 +1772,16 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,65 +2686,65 @@ Installasjonsprogrammet vil avsluttes og alle endringer vil gå tapt. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Ugyldige parametere for prosessens oppgavekall - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2724,32 +2752,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2803,6 +2826,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2838,73 +2870,88 @@ Output: Form - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. %1 kan ikke bli installert på denne partisjonen. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3027,12 +3074,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements Systemkrav @@ -3040,27 +3087,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Denne datamaskinen oppfyller ikke minimumskravene for installering %1.<br/> Installeringen kan ikke fortsette. <a href="#details">Detaljer..</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3343,51 +3390,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3406,7 +3482,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3415,30 +3491,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3624,42 +3700,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3667,7 +3743,7 @@ Output: WelcomeQmlViewStep - + Welcome Velkommen @@ -3675,7 +3751,7 @@ Output: WelcomeViewStep - + Welcome Velkommen @@ -3704,6 +3780,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3749,6 +3845,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3800,27 +3914,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ne_NP.ts b/lang/calamares_ne_NP.ts index acb1c22b2..a200c91f9 100644 --- a/lang/calamares_ne_NP.ts +++ b/lang/calamares_ne_NP.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_nl.ts b/lang/calamares_nl.ts index 0c7e6f87a..07ac3dfcd 100644 --- a/lang/calamares_nl.ts +++ b/lang/calamares_nl.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Inrichten - + Install Installeer @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Gereed @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Uitvoeren van opdracht %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Bewerking %1 uitvoeren. - + Bad working directory path Ongeldig pad voor huidige map - + Working directory %1 for python job %2 is not readable. Werkmap %1 voor python taak %2 onleesbaar. - + Bad main script file Onjuist hoofdscriptbestand - + Main script file %1 for python job %2 is not readable. Hoofdscriptbestand %1 voor python taak %2 onleesbaar. - + Boost.Python error in job "%1". Boost.Python fout in taak "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n seconde) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes &ja - + &No &Nee @@ -314,108 +319,108 @@ <br/>The volgende modules konden niet worden geladen: - + Continue with setup? Doorgaan met installatie? - + Continue with installation? Doorgaan met installatie? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Het %1 installatieprogramma zal nu aanpassingen maken aan je schijf om %2 te installeren.<br/><strong>Deze veranderingen kunnen niet ongedaan gemaakt worden.</strong> - + &Set up now Nu &Inrichten - + &Install now Nu &installeren - + Go &back Ga &terug - + &Set up &Inrichten - + &Install &Installeer - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. De installatie is voltooid. Sluit het installatie-programma. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Installatie afbreken zonder aanpassingen aan het systeem. - + &Next &Volgende - + &Back &Terug - + &Done Voltooi&d - + &Cancel &Afbreken - + Cancel setup? - + Cancel installation? Installatie afbreken? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Wil je het huidige installatieproces echt afbreken? @@ -425,22 +430,22 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CalamaresPython::Helper - + Unknown exception type Onbekend uitzonderingstype - + unparseable Python error onuitvoerbare Python fout - + unparseable Python traceback onuitvoerbare Python traceback - + Unfetchable Python error. Onbekende Python fout. @@ -457,32 +462,32 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CalamaresWindow - + Show debug information Toon debug informatie - + &Back &Terug - + &Next &Volgende - + &Cancel &Afbreken - + %1 Setup Program - + %1 Installer %1 Installatieprogramma @@ -679,18 +684,18 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. CommandList - - + + Could not run command. Kon de opdracht niet uitvoeren. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. De opdracht loopt in de gastomgeving en moet het root pad weten, maar rootMountPoint is niet gedefinieerd. - + The command needs to know the user's name, but no username is defined. De opdracht moet de naam van de gebruiker weten, maar de gebruikersnaam is niet gedefinieerd. @@ -743,49 +748,49 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Netwerkinstallatie. (Uitgeschakeld: kon de pakketlijsten niet binnenhalen, controleer de netwerkconnectie) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Deze computer voldoet niet aan de minimumvereisten om %1 te installeren.<br/>De installatie kan niet doorgaan. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 te installeren.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. - + This program will ask you some questions and set up %2 on your computer. Dit programma stelt je enkele vragen en installeert %2 op jouw computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Welkom in het Calamares voorbereidingsprogramma voor %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Welkom in het Calamares installatieprogramma voor %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Welkom in het %1 installatieprogramma.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1222,37 +1227,37 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. FillGlobalStorageJob - + Set partition information Instellen partitie-informatie - + Install %1 on <strong>new</strong> %2 system partition. Installeer %1 op <strong>nieuwe</strong> %2 systeempartitie. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Maak <strong>nieuwe</strong> %2 partitie met aankoppelpunt <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installeer %2 op %3 systeempartitie <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Stel %3 partitie <strong>%1</strong> in met aankoppelpunt <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installeer bootloader op <strong>%1</strong>. - + Setting up mount points. Aankoppelpunten instellen. @@ -1270,32 +1275,32 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. &Nu herstarten - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Klaar.</h1><br/>%1 is op je computer geïnstalleerd.<br/>Je mag je nieuwe systeem nu herstarten of de %2 Live omgeving blijven gebruiken. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installatie Mislukt</h1><br/>%1 werd niet op de computer geïnstalleerd. <br/>De foutboodschap was: %2 @@ -1303,27 +1308,27 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. FinishedViewStep - + Finish Beëindigen - + Setup Complete - + Installation Complete Installatie Afgerond. - + The setup of %1 is complete. - + The installation of %1 is complete. De installatie van %1 is afgerond. @@ -1354,72 +1359,72 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. Er is niet genoeg schijfruimte. Tenminste %1 GiB is vereist. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. Het systeem heeft niet genoeg intern geheugen. Tenminste %1 GiB is vereist. - + is plugged in to a power source aangesloten is op netstroom - + The system is not plugged in to a power source. Dit systeem is niet aangesloten op netstroom. - + is connected to the Internet verbonden is met het Internet - + The system is not connected to the Internet. Dit systeem is niet verbonden met het Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Het installatieprogramma draait zonder administratorrechten. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Het schem is te klein on het installatieprogramma te vertonen. @@ -1767,6 +1772,16 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1905,6 +1920,19 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2492,107 +2520,107 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. Partities - + Install %1 <strong>alongside</strong> another operating system. Installeer %1 <strong>naast</strong> een ander besturingssysteem. - + <strong>Erase</strong> disk and install %1. <strong>Wis</strong> schijf en installeer %1. - + <strong>Replace</strong> a partition with %1. <strong>Vervang</strong> een partitie met %1. - + <strong>Manual</strong> partitioning. <strong>Handmatig</strong> partitioneren. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Installeer %1 <strong>naast</strong> een ander besturingssysteem op schijf <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Wis</strong> schijf <strong>%2</strong> (%3) en installeer %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Vervang</strong> een partitie op schijf <strong>%2</strong> (%3) met %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Handmatig</strong> partitioneren van schijf <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Schijf <strong>%1</strong> (%2) - + Current: Huidig: - + After: Na: - + No EFI system partition configured Geen EFI systeempartitie geconfigureerd - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set EFI-systeem partitievlag niet ingesteld. - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Bootpartitie niet versleuteld - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Een aparte bootpartitie was ingesteld samen met een versleutelde rootpartitie, maar de bootpartitie zelf is niet versleuteld.<br/><br/>Dit is niet volledig veilig, aangezien belangrijke systeembestanden bewaard worden op een niet-versleutelde partitie.<br/>Je kan doorgaan als je wil, maar het ontgrendelen van bestandssystemen zal tijdens het opstarten later plaatsvinden.<br/>Om de bootpartitie toch te versleutelen: keer terug en maak de bootpartitie opnieuw, waarbij je <strong>Versleutelen</strong> aanvinkt in het venster partitie aanmaken. - + has at least one disk device available. - + There are no partitions to install on. @@ -2658,14 +2686,14 @@ Het installatieprogramma zal afsluiten en alle wijzigingen zullen verloren gaan. ProcessResult - + There was no output from the command. Er was geen uitvoer van de opdracht. - + Output: @@ -2674,52 +2702,52 @@ Uitvoer: - + External command crashed. Externe opdracht is vastgelopen. - + Command <i>%1</i> crashed. Opdracht <i>%1</i> is vastgelopen. - + External command failed to start. Externe opdracht kon niet worden gestart. - + Command <i>%1</i> failed to start. Opdracht <i>%1</i> kon niet worden gestart. - + Internal error when starting command. Interne fout bij het starten van de opdracht. - + Bad parameters for process job call. Onjuiste parameters voor procestaak - + External command failed to finish. Externe opdracht is niet correct beëindigd. - + Command <i>%1</i> failed to finish in %2 seconds. Opdracht <i>%1</i> is niet beëindigd in %2 seconden. - + External command finished with errors. Externe opdracht beëindigd met fouten. - + Command <i>%1</i> finished with exit code %2. Opdracht <i>%1</i> beëindigd met foutcode %2. @@ -2727,32 +2755,27 @@ Uitvoer: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown onbekend - + extended uitgebreid - + unformatted niet-geformateerd - + swap wisselgeheugen @@ -2806,6 +2829,15 @@ Uitvoer: Niet-gepartitioneerde ruimte of onbekende partitietabel + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2841,73 +2873,88 @@ Uitvoer: Formulier - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Kies waar %1 te installeren. <br/><font color="red">Opgelet: </font>dit zal alle bestanden op de geselecteerde partitie wissen. - + The selected item does not appear to be a valid partition. Het geselecteerde item is geen geldige partitie. - + %1 cannot be installed on empty space. Please select an existing partition. %1 kan niet worden geïnstalleerd op lege ruimte. Kies een bestaande partitie. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 kan niet op een uitgebreide partitie geïnstalleerd worden. Kies een bestaande primaire of logische partitie. - + %1 cannot be installed on this partition. %1 kan niet op deze partitie geïnstalleerd worden. - + Data partition (%1) Gegevenspartitie (%1) - + Unknown system partition (%1) Onbekende systeempartitie (%1) - + %1 system partition (%2) %1 systeempartitie (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partitie %1 is te klein voor %2. Gelieve een partitie te selecteren met een capaciteit van minstens %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Er werd geen EFI systeempartite gevonden op dit systeem. Gelieve terug te keren en manueel te partitioneren om %1 in te stellen. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 zal geïnstalleerd worden op %2.<br/><font color="red">Opgelet: </font>alle gegevens op partitie %2 zullen verloren gaan. - + The EFI system partition at %1 will be used for starting %2. De EFI systeempartitie op %1 zal gebruikt worden om %2 te starten. - + EFI system partition: EFI systeempartitie: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3030,12 +3077,12 @@ Uitvoer: ResultsListDialog - + For best results, please ensure that this computer: Voor de beste resultaten is het aangeraden dat deze computer: - + System requirements Systeemvereisten @@ -3043,27 +3090,27 @@ Uitvoer: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Deze computer voldoet niet aan de minimumvereisten om %1 te installeren.<br/>De installatie kan niet doorgaan. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Deze computer voldoet niet aan enkele van de aanbevolen specificaties om %1 te installeren.<br/>De installatie kan doorgaan, maar sommige functies kunnen uitgeschakeld zijn. - + This program will ask you some questions and set up %2 on your computer. Dit programma stelt je enkele vragen en installeert %2 op jouw computer. @@ -3346,51 +3393,80 @@ Uitvoer: TrackingInstallJob - + Installation feedback Installatiefeedback - + Sending installation feedback. Installatiefeedback opsturen. - + Internal error in install-tracking. Interne fout in de installatie-tracking. - + HTTP request timed out. HTTP request is verlopen. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Machinefeedback - + Configuring machine feedback. Instellen van machinefeedback. - - + + Error in machine feedback configuration. Fout in de configuratie van de machinefeedback. - + Could not configure machine feedback correctly, script error %1. Kon de machinefeedback niet correct instellen, scriptfout %1. - + Could not configure machine feedback correctly, Calamares error %1. Kon de machinefeedback niet correct instellen, Calamares-fout %1. @@ -3409,8 +3485,8 @@ Uitvoer: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Door dit aan te vinken zal er <span style=" font-weight:600;">geen enkele informatie</span> over jouw installatie verstuurd worden.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3418,30 +3494,30 @@ Uitvoer: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Klik hier voor meer informatie over gebruikersfeedback</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Installatie-tracking helpt %1 om te zien hoeveel gebruikers ze hebben, op welke hardware %1 geïnstalleerd wordt en (met de laatste twee opties hieronder) op de hoogte te blijven van de geprefereerde toepassingen. Om na te gaan wat verzonden zal worden, klik dan op het help-pictogram naast elke optie. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Door dit aan te vinken zal er informatie verstuurd worden over jouw installatie en hardware. Deze informatie zal <b>slechts eenmaal verstuurd worden</b> na het afronden van de installatie. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Door dit aan te vinken zal <b>periodiek</b> informatie verstuurd worden naar %1 over jouw installatie, hardware en toepassingen. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Door dit aan te vinken zal <b>regelmatig</b> informatie verstuurd worden naar %1 over jouw installatie, hardware, toepassingen en gebruikspatronen. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Feedback @@ -3627,42 +3703,42 @@ Uitvoer: Aantekeningen bij deze ve&rsie - + <h1>Welcome to the Calamares setup program for %1.</h1> Welkome in het Calamares voorbereidingsprogramma voor %1. - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Welkom in het Calamares installatieprogramma voor %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Welkom in het %1 installatieprogramma.</h1> - + %1 support %1 ondersteuning - + About %1 setup - + About %1 installer Over het %1 installatieprogramma - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3670,7 +3746,7 @@ Uitvoer: WelcomeQmlViewStep - + Welcome Welkom @@ -3678,7 +3754,7 @@ Uitvoer: WelcomeViewStep - + Welcome Welkom @@ -3707,6 +3783,26 @@ Uitvoer: Terug + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Terug + + keyboardq @@ -3752,6 +3848,24 @@ Uitvoer: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3803,27 +3917,27 @@ Uitvoer: - + About Over - + Support Ondersteuning - + Known issues Bekende problemen - + Release notes Aantekeningen bij deze versie - + Donate Doneren diff --git a/lang/calamares_pl.ts b/lang/calamares_pl.ts index 742fdf45f..a9742c80e 100644 --- a/lang/calamares_pl.ts +++ b/lang/calamares_pl.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Zainstaluj @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Ukończono @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Wykonywanie polecenia %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Wykonuję operację %1. - + Bad working directory path Niepoprawna ścieżka katalogu roboczego - + Working directory %1 for python job %2 is not readable. Katalog roboczy %1 dla zadań pythona %2 jest nieosiągalny. - + Bad main script file Niepoprawny główny plik skryptu - + Main script file %1 for python job %2 is not readable. Główny plik skryptu %1 dla zadań pythona %2 jest nieczytelny. - + Boost.Python error in job "%1". Wystąpił błąd Boost.Python w zadaniu "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). Oczekiwanie na %n moduł. @@ -238,7 +243,7 @@ - + (%n second(s)) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. @@ -277,13 +282,13 @@ - + &Yes &Tak - + &No &Nie @@ -318,108 +323,108 @@ <br/>Następujące moduły nie mogły zostać wczytane: - + Continue with setup? Kontynuować z programem instalacyjnym? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Instalator %1 zamierza przeprowadzić zmiany na Twoim dysku, aby zainstalować %2.<br/><strong>Nie będziesz mógł cofnąć tych zmian.</strong> - + &Set up now - + &Install now &Zainstaluj teraz - + Go &back &Cofnij się - + &Set up - + &Install Za&instaluj - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Instalacja ukończona pomyślnie. Możesz zamknąć instalator. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Anuluj instalację bez dokonywania zmian w systemie. - + &Next &Dalej - + &Back &Wstecz - + &Done &Ukończono - + &Cancel &Anuluj - + Cancel setup? Anulować ustawianie? - + Cancel installation? Anulować instalację? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Czy na pewno chcesz anulować obecny proces instalacji? @@ -429,22 +434,22 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. CalamaresPython::Helper - + Unknown exception type Nieznany rodzaj wyjątku - + unparseable Python error nieparowalny błąd Pythona - + unparseable Python traceback nieparowalny traceback Pythona - + Unfetchable Python error. Nieosiągalny błąd Pythona. @@ -461,32 +466,32 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. CalamaresWindow - + Show debug information Pokaż informacje debugowania - + &Back &Wstecz - + &Next &Dalej - + &Cancel &Anuluj - + %1 Setup Program - + %1 Installer Instalator %1 @@ -683,18 +688,18 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. CommandList - - + + Could not run command. Nie można wykonać polecenia. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Polecenie uruchomione jest w środowisku hosta i musi znać ścieżkę katalogu głównego, jednakże nie został określony punkt montowania katalogu głównego (root). - + The command needs to know the user's name, but no username is defined. Polecenie musi znać nazwę użytkownika, ale żadna nazwa nie została jeszcze zdefiniowana. @@ -747,49 +752,49 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Instalacja sieciowa. (Wyłączona: Nie można pobrać listy pakietów, sprawdź swoje połączenie z siecią) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Instalacja nie może być kontynuowana. <a href="#details">Szczegóły...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ten komputer nie spełnia wszystkich, zalecanych do instalacji %1 wymagań.<br/>Instalacja może być kontynuowana, ale niektóre opcje mogą być niedostępne. - + This program will ask you some questions and set up %2 on your computer. Ten program zada Ci garść pytań i ustawi %2 na Twoim komputerze. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Witamy w ustawianiu %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Witamy w instalatorze Calamares dla systemu %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Witamy w instalatorze %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1226,37 +1231,37 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. FillGlobalStorageJob - + Set partition information Ustaw informacje partycji - + Install %1 on <strong>new</strong> %2 system partition. Zainstaluj %1 na <strong>nowej</strong> partycji systemowej %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Ustaw <strong>nową</strong> partycję %2 z punktem montowania <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Zainstaluj %2 na partycji systemowej %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Ustaw partycję %3 <strong>%1</strong> z punktem montowania <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Zainstaluj program rozruchowy na <strong>%1</strong>. - + Setting up mount points. Ustawianie punktów montowania. @@ -1274,32 +1279,32 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.&Uruchom ponownie teraz - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Wszystko gotowe.</h1><br/>%1 został zainstalowany na Twoim komputerze.<br/>Możesz teraz ponownie uruchomić komputer, aby przejść do nowego systemu, albo kontynuować używanie środowiska live %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalacja nie powiodła się</h1><br/>Nie udało się zainstalować %1 na Twoim komputerze.<br/>Komunikat o błędzie: %2. @@ -1307,27 +1312,27 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. FinishedViewStep - + Finish Koniec - + Setup Complete Ustawianie ukończone - + Installation Complete Instalacja zakończona - + The setup of %1 is complete. Ustawianie %1 jest ukończone. - + The installation of %1 is complete. Instalacja %1 ukończyła się pomyślnie. @@ -1358,72 +1363,72 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source jest podłączony do źródła zasilania - + The system is not plugged in to a power source. System nie jest podłączony do źródła zasilania. - + is connected to the Internet jest podłączony do Internetu - + The system is not connected to the Internet. System nie jest podłączony do Internetu. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Instalator jest uruchomiony bez praw administratora. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Zbyt niska rozdzielczość ekranu, aby wyświetlić instalator. @@ -1771,6 +1776,16 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1909,6 +1924,19 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2496,107 +2524,107 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone.Partycje - + Install %1 <strong>alongside</strong> another operating system. Zainstaluj %1 <strong>obok</strong> innego systemu operacyjnego. - + <strong>Erase</strong> disk and install %1. <strong>Wyczyść</strong> dysk i zainstaluj %1. - + <strong>Replace</strong> a partition with %1. <strong>Zastąp</strong> partycję poprzez %1. - + <strong>Manual</strong> partitioning. <strong>Ręczne</strong> partycjonowanie. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Zainstaluj %1 <strong>obok</strong> innego systemu operacyjnego na dysku <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Wyczyść</strong> dysk <strong>%2</strong> (%3) i zainstaluj %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Zastąp</strong> partycję na dysku <strong>%2</strong> (%3) poprzez %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ręczne</strong> partycjonowanie na dysku <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Dysk <strong>%1</strong> (%2) - + Current: Bieżący: - + After: Po: - + No EFI system partition configured Nie skonfigurowano partycji systemowej EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Flaga partycji systemowej EFI nie została ustawiona - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Niezaszyfrowana partycja rozruchowa - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Oddzielna partycja rozruchowa została skonfigurowana razem z zaszyfrowaną partycją roota, ale partycja rozruchowa nie jest szyfrowana.<br/><br/>Nie jest to najbezpieczniejsze rozwiązanie, ponieważ ważne pliki systemowe znajdują się na niezaszyfrowanej partycji.<br/>Możesz kontynuować, ale odblokowywanie systemu nastąpi później, w trakcie uruchamiania.<br/>Aby zaszyfrować partycję rozruchową, wróć i utwórz ją ponownie zaznaczając opcję <strong>Szyfruj</strong> w oknie tworzenia partycji. - + has at least one disk device available. - + There are no partitions to install on. @@ -2662,14 +2690,14 @@ Instalator zostanie zamknięty i wszystkie zmiany zostaną utracone. ProcessResult - + There was no output from the command. W wyniku polecenia nie ma żadnego rezultatu. - + Output: @@ -2678,52 +2706,52 @@ Wyjście: - + External command crashed. Zewnętrzne polecenie zakończone niepowodzeniem. - + Command <i>%1</i> crashed. Wykonanie polecenia <i>%1</i> nie powiodło się. - + External command failed to start. Nie udało się uruchomić zewnętrznego polecenia. - + Command <i>%1</i> failed to start. Polecenie <i>%1</i> nie zostało uruchomione. - + Internal error when starting command. Wystąpił wewnętrzny błąd podczas uruchamiania polecenia. - + Bad parameters for process job call. Błędne parametry wywołania zadania. - + External command failed to finish. Nie udało się ukończyć zewnętrznego polecenia. - + Command <i>%1</i> failed to finish in %2 seconds. Nie udało się ukończyć polecenia <i>%1</i> w ciągu %2 sekund. - + External command finished with errors. Ukończono zewnętrzne polecenie z błędami. - + Command <i>%1</i> finished with exit code %2. Polecenie <i>%1</i> zostało ukończone z błędem o kodzie %2. @@ -2731,32 +2759,27 @@ Wyjście: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown nieznany - + extended rozszerzona - + unformatted niesformatowany - + swap przestrzeń wymiany @@ -2810,6 +2833,15 @@ Wyjście: Przestrzeń bez partycji lub nieznana tabela partycji + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2845,73 +2877,88 @@ Wyjście: Formularz - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Wskaż gdzie zainstalować %1.<br/><font color="red">Uwaga: </font>na wybranej partycji zostaną usunięte wszystkie pliki. - + The selected item does not appear to be a valid partition. Wybrany element zdaje się nie być poprawną partycją. - + %1 cannot be installed on empty space. Please select an existing partition. Nie można zainstalować %1 na pustej przestrzeni. Prosimy wybrać istniejącą partycję. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. Nie można zainstalować %1 na rozszerzonej partycji. Prosimy wybrać istniejącą partycję podstawową lub logiczną. - + %1 cannot be installed on this partition. %1 nie może zostać zainstalowany na tej partycji. - + Data partition (%1) Partycja z danymi (%1) - + Unknown system partition (%1) Nieznana partycja systemowa (%1) - + %1 system partition (%2) %1 partycja systemowa (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partycja %1 jest zbyt mała dla %2. Prosimy wybrać partycję o pojemności przynajmniej %3 GB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Nigdzie w tym systemie nie można odnaleźć partycji systemowej EFI. Prosimy się cofnąć i użyć ręcznego partycjonowania dysku do ustawienia %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 zostanie zainstalowany na %2.<br/><font color="red">Uwaga: </font>wszystkie dane znajdujące się na partycji %2 zostaną utracone. - + The EFI system partition at %1 will be used for starting %2. Partycja systemowa EFI na %1 będzie użyta do uruchamiania %2. - + EFI system partition: Partycja systemowa EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3035,12 +3082,12 @@ i nie uruchomi się ResultsListDialog - + For best results, please ensure that this computer: Dla osiągnięcia najlepszych rezultatów upewnij się, że ten komputer: - + System requirements Wymagania systemowe @@ -3048,27 +3095,27 @@ i nie uruchomi się ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ten komputer nie spełnia minimalnych wymagań, niezbędnych do instalacji %1.<br/>Instalacja nie może być kontynuowana. <a href="#details">Szczegóły...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ten komputer nie spełnia wszystkich, zalecanych do instalacji %1 wymagań.<br/>Instalacja może być kontynuowana, ale niektóre opcje mogą być niedostępne. - + This program will ask you some questions and set up %2 on your computer. Ten program zada Ci garść pytań i ustawi %2 na Twoim komputerze. @@ -3351,51 +3398,80 @@ i nie uruchomi się TrackingInstallJob - + Installation feedback Informacja zwrotna o instalacji - + Sending installation feedback. Wysyłanie informacji zwrotnej o instalacji. - + Internal error in install-tracking. Błąd wewnętrzny śledzenia instalacji. - + HTTP request timed out. Wyczerpano limit czasu żądania HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Maszynowa informacja zwrotna - + Configuring machine feedback. Konfiguracja mechanizmu informacji zwrotnej. - - + + Error in machine feedback configuration. Błąd w konfiguracji maszynowej informacji zwrotnej. - + Could not configure machine feedback correctly, script error %1. Nie można poprawnie skonfigurować maszynowej informacji zwrotnej, błąd skryptu %1. - + Could not configure machine feedback correctly, Calamares error %1. Nie można poprawnie skonfigurować maszynowej informacji zwrotnej, błąd Calamares %1. @@ -3414,8 +3490,8 @@ i nie uruchomi się - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Jeżeli wybierzesz tą opcję, nie zostaną wysłane <span style=" font-weight:600;">żadne informacje</span> o Twojej instalacji.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3423,30 +3499,30 @@ i nie uruchomi się <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Naciśnij, aby dowiedzieć się więcej o uzyskiwaniu informacji zwrotnych.</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Śledzenie instalacji pomoże %1 dowiedzieć się, ilu mają użytkowników, na jakim sprzęcie instalują %1 i (jeżeli wybierzesz dwie ostatnie opcje) uzyskać informacje o używanych aplikacjach. Jeżeli chcesz wiedzieć, jakie informacje będą wysyłane, naciśnij ikonę pomocy obok. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Jeżeli wybierzesz tę opcję, zostaną wysłane informacje dotyczące tej instalacji i używanego sprzętu. Zostaną wysłane <b>jednokrotnie</b> po zakończeniu instalacji. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Jeżeli wybierzesz tę opcję, <b>okazjonalnie</b> będą wysyłane informacje dotyczące tej instalacji, używanego sprzętu i aplikacji do %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Jeżeli wybierzesz tą opcję, <b>regularnie</b> będą wysyłane informacje dotyczące tej instalacji, używanego sprzętu i aplikacji do %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Informacje zwrotne @@ -3632,42 +3708,42 @@ i nie uruchomi się Informacje o &wydaniu - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Witamy w ustawianiu %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Witamy w instalatorze Calamares dla systemu %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Witamy w instalatorze %1.</h1> - + %1 support Wsparcie %1 - + About %1 setup - + About %1 installer O instalatorze %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3675,7 +3751,7 @@ i nie uruchomi się WelcomeQmlViewStep - + Welcome Witamy @@ -3683,7 +3759,7 @@ i nie uruchomi się WelcomeViewStep - + Welcome Witamy @@ -3712,6 +3788,26 @@ i nie uruchomi się + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3757,6 +3853,24 @@ i nie uruchomi się + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3808,27 +3922,27 @@ i nie uruchomi się - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_pt_BR.ts b/lang/calamares_pt_BR.ts index 7141597be..ab98dc800 100644 --- a/lang/calamares_pt_BR.ts +++ b/lang/calamares_pt_BR.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Configurar - + Install Instalar @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) A tarefa falhou (%1) - + Programmed job failure was explicitly requested. Falha na tarefa programada foi solicitada explicitamente. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Concluído @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Tarefa de exemplo (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Executar o comando '%1' no sistema de destino. - + Run command '%1'. Executar comando '%1'. - + Running command %1 %2 Executando comando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Executando operação %1. - + Bad working directory path Caminho de diretório de trabalho ruim - + Working directory %1 for python job %2 is not readable. Diretório de trabalho %1 para a tarefa do python %2 não é legível. - + Bad main script file Arquivo de script principal ruim - + Main script file %1 for python job %2 is not readable. Arquivo de script principal %1 para a tarefa do python %2 não é legível. - + Boost.Python error in job "%1". Boost.Python erro na tarefa "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + A verificação de requerimentos para o módulo <i>%1</i> está completa. + - + Waiting for %n module(s). Esperando por %n módulo. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n segundo) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Verificação de requerimentos do sistema completa. @@ -273,13 +278,13 @@ - + &Yes &Sim - + &No &Não @@ -314,109 +319,109 @@ <br/>Os seguintes módulos não puderam ser carregados: - + Continue with setup? Continuar com configuração? - + Continue with installation? Continuar com a instalação? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> O programa de configuração %1 está prestes a fazer mudanças no seu disco de modo a configurar %2.<br/><strong>Você não será capaz de desfazer estas mudanças.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> O instalador %1 está prestes a fazer alterações no disco a fim de instalar %2.<br/><strong>Você não será capaz de desfazer estas mudanças.</strong> - + &Set up now &Configurar agora - + &Install now &Instalar agora - + Go &back &Voltar - + &Set up &Configurar - + &Install &Instalar - + Setup is complete. Close the setup program. A configuração está completa. Feche o programa de configuração. - + The installation is complete. Close the installer. A instalação está completa. Feche o instalador. - + Cancel setup without changing the system. Cancelar configuração sem alterar o sistema. - + Cancel installation without changing the system. Cancelar instalação sem modificar o sistema. - + &Next &Próximo - + &Back &Voltar - + &Done Concluí&do - + &Cancel &Cancelar - + Cancel setup? Cancelar a configuração? - + Cancel installation? Cancelar a instalação? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Você realmente quer cancelar o processo atual de configuração? O programa de configuração será fechado e todas as mudanças serão perdidas. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Você deseja realmente cancelar a instalação atual? @@ -426,22 +431,22 @@ O instalador será fechado e todas as alterações serão perdidas. CalamaresPython::Helper - + Unknown exception type Tipo de exceção desconhecida - + unparseable Python error erro inanalisável do Python - + unparseable Python traceback rastreamento inanalisável do Python - + Unfetchable Python error. Erro inbuscável do Python. @@ -459,32 +464,32 @@ O instalador será fechado e todas as alterações serão perdidas. CalamaresWindow - + Show debug information Exibir informações de depuração - + &Back &Voltar - + &Next &Próximo - + &Cancel &Cancelar - + %1 Setup Program Programa de configuração %1 - + %1 Installer Instalador %1 @@ -681,18 +686,18 @@ O instalador será fechado e todas as alterações serão perdidas. CommandList - - + + Could not run command. Não foi possível executar o comando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. O comando é executado no ambiente do hospedeiro e precisa saber o caminho root, mas nenhum rootMountPoint foi definido. - + The command needs to know the user's name, but no username is defined. O comando precisa saber do nome do usuário, mas nenhum nome de usuário foi definido. @@ -745,49 +750,49 @@ O instalador será fechado e todas as alterações serão perdidas.Instalação pela Rede. (Desabilitada: Não foi possível adquirir lista de pacotes, verifique sua conexão com a internet) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requerimentos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para instalar %1.<br/>A instalação não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Este computador não satisfaz alguns dos requerimentos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funções podem ser desativadas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas alguns recursos podem ser desativados. - + This program will ask you some questions and set up %2 on your computer. Este programa irá fazer-lhe algumas perguntas e configurar %2 no computador. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Bem-vindo ao programa de configuração Calamares para %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Bem-vindo à configuração de %1</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Bem-vindo ao instalador Calamares para %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bem-vindo ao instalador %1 .</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ O instalador será fechado e todas as alterações serão perdidas. FillGlobalStorageJob - + Set partition information Definir informações da partição - + Install %1 on <strong>new</strong> %2 system partition. Instalar %1 em <strong>nova</strong> partição %2 do sistema. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Configurar <strong>nova</strong> partição %2 com ponto de montagem <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalar %2 na partição %3 do sistema <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Configurar partição %3 <strong>%1</strong> com ponto de montagem <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalar gerenciador de inicialização em <strong>%1</strong>. - + Setting up mount points. Configurando pontos de montagem. @@ -1272,32 +1277,32 @@ O instalador será fechado e todas as alterações serão perdidas.&Reiniciar agora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Tudo concluído.</h1><br/>%1 foi configurado no seu computador.<br/>Agora você pode começar a usar seu novo sistema. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Quando essa caixa for marcada, seu sistema irá reiniciar imediatamente quando você clicar em <span style="font-style:italic;">Concluído</span> ou fechar o programa de configuração.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Tudo pronto.</h1><br/>%1 foi instalado no seu computador.<br/>Agora você pode reiniciar seu novo sistema ou continuar usando o ambiente Live %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Quando essa caixa for marcada, seu sistema irá reiniciar imediatamente quando você clicar em <span style="font-style:italic;">Concluído</span> ou fechar o instalador.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>A configuração falhou</h1><br/>%1 não foi configurado no seu computador.<br/>A mensagem de erro foi: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>A instalação falhou</h1><br/>%1 não foi instalado em seu computador.<br/>A mensagem de erro foi: %2. @@ -1305,27 +1310,27 @@ O instalador será fechado e todas as alterações serão perdidas. FinishedViewStep - + Finish Concluir - + Setup Complete Configuração Concluída - + Installation Complete Instalação Completa - + The setup of %1 is complete. A configuração de %1 está concluída. - + The installation of %1 is complete. A instalação do %1 está completa. @@ -1356,72 +1361,72 @@ O instalador será fechado e todas as alterações serão perdidas. GeneralRequirements - + has at least %1 GiB available drive space tenha pelo menos %1 GiB disponível de espaço no disco - + There is not enough drive space. At least %1 GiB is required. Não há espaço suficiente no disco. Pelo menos %1 GiB é requerido. - + has at least %1 GiB working memory tenha pelo menos %1 GiB de memória de trabalho - + The system does not have enough working memory. At least %1 GiB is required. O sistema não tem memória de trabalho o suficiente. Pelo menos %1 GiB é requerido. - + is plugged in to a power source está conectado a uma fonte de energia - + The system is not plugged in to a power source. O sistema não está conectado a uma fonte de energia. - + is connected to the Internet está conectado à Internet - + The system is not connected to the Internet. O sistema não está conectado à Internet. - + is running the installer as an administrator (root) está executando o instalador como administrador (root) - + The setup program is not running with administrator rights. O programa de configuração não está sendo executado com direitos de administrador. - + The installer is not running with administrator rights. O instalador não está sendo executado com permissões de administrador. - + has a screen large enough to show the whole installer tem uma tela grande o suficiente para mostrar todo o instalador - + The screen is too small to display the setup program. A tela é muito pequena para exibir o programa de configuração. - + The screen is too small to display the installer. A tela é muito pequena para exibir o instalador. @@ -1769,6 +1774,16 @@ O instalador será fechado e todas as alterações serão perdidas.Nenhum ponto de montagem raiz está definido para MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ O instalador será fechado e todas as alterações serão perdidas.Definir o identificador de Lote OEM em <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ O instalador será fechado e todas as alterações serão perdidas.Partições - + Install %1 <strong>alongside</strong> another operating system. Instalar %1 <strong>ao lado de</strong> outro sistema operacional. - + <strong>Erase</strong> disk and install %1. <strong>Apagar</strong> disco e instalar %1. - + <strong>Replace</strong> a partition with %1. <strong>Substituir</strong> uma partição com %1. - + <strong>Manual</strong> partitioning. Particionamento <strong>manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalar %1 <strong>ao lado de</strong> outro sistema operacional no disco <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Apagar</strong> disco <strong>%2</strong> (%3) e instalar %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Substituir</strong> uma partição no disco <strong>%2</strong> (%3) com %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionamento <strong>manual</strong> no disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1</strong> (%2) - + Current: Atualmente: - + After: Depois: - + No EFI system partition configured Nenhuma partição de sistema EFI configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. É necessário uma partição de sistema EFI para iniciar %1.<br/><br/>Para configurar uma partição de sistema EFI, volte e faça a seleção ou crie um sistema de arquivos FAT32 com a flag <strong>%3</strong> ativada e o ponto de montagem <strong>%2</strong>.<br/><br/>Você pode continuar sem definir uma partição de sistema EFI, mas seu sistema poderá falhar ao iniciar. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. É necessário uma partição de sistema EFI para iniciar %1.<br/><br/>Uma partição foi configurada com o ponto de montagem <strong>%2</strong>, mas não foi definida a flag <strong>%3</strong>.<br/>Para definir a flag, volte e edite a partição.<br/><br/>Você pode continuar sem definir a flag, mas seu sistema poderá falhar ao iniciar. - + EFI system partition flag not set Marcador da partição do sistema EFI não definida - + Option to use GPT on BIOS Opção para usar GPT no BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Uma tabela de partições GPT é a melhor opção para todos os sistemas. Este instalador suporta tal configuração para sistemas BIOS também.<br/><br/>Para configurar uma tabela de partições GPT no BIOS, (caso não tenha sido feito ainda) volte e defina a tabela de partições como GPT, depois crie uma partição sem formatação de 8 MB com o marcador <strong>bios_grub</strong> ativado.<br/><br/>Uma partição não formatada de 8 MB é necessária para iniciar %1 num sistema BIOS com o GPT. - + Boot partition not encrypted Partição de boot não criptografada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Uma partição de inicialização separada foi configurada juntamente com uma partição raiz criptografada, mas a partição de inicialização não é criptografada.<br/><br/>Há preocupações de segurança quanto a esse tipo de configuração, porque arquivos de sistema importantes são mantidos em uma partição não criptografada.<br/>Você pode continuar se quiser, mas o desbloqueio do sistema de arquivos acontecerá mais tarde durante a inicialização do sistema.<br/>Para criptografar a partição de inicialização, volte e recrie-a, selecionando <strong>Criptografar</strong> na janela de criação da partição. - + has at least one disk device available. tem pelo menos um dispositivo de disco disponível. - + There are no partitions to install on. Não há partições para instalar. @@ -2660,14 +2688,14 @@ O instalador será fechado e todas as alterações serão perdidas. ProcessResult - + There was no output from the command. Não houve saída do comando. - + Output: @@ -2676,52 +2704,52 @@ Saída: - + External command crashed. O comando externo falhou. - + Command <i>%1</i> crashed. O comando <i>%1</i> falhou. - + External command failed to start. O comando externo falhou ao iniciar. - + Command <i>%1</i> failed to start. O comando <i>%1</i> falhou ao iniciar. - + Internal error when starting command. Erro interno ao iniciar o comando. - + Bad parameters for process job call. Parâmetros ruins para a chamada da tarefa do processo. - + External command failed to finish. O comando externo falhou ao finalizar. - + Command <i>%1</i> failed to finish in %2 seconds. O comando <i>%1</i> falhou ao finalizar em %2 segundos. - + External command finished with errors. O comando externo foi concluído com erros. - + Command <i>%1</i> finished with exit code %2. O comando <i>%1</i> foi concluído com o código %2. @@ -2729,32 +2757,27 @@ Saída: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - A verificação de requerimentos para o módulo <i>%1</i> está completa. - - - + unknown desconhecido - + extended estendida - + unformatted não formatado - + swap swap @@ -2808,6 +2831,15 @@ Saída: Espaço não particionado ou tabela de partições desconhecida + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Saída: Formulário - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Selecione onde instalar %1.<br/><font color="red">Atenção:</font> isto excluirá todos os arquivos existentes na partição selecionada. - + The selected item does not appear to be a valid partition. O item selecionado não parece ser uma partição válida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 não pode ser instalado no espaço vazio. Por favor, selecione uma partição existente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 não pode ser instalado em uma partição estendida. Por favor, selecione uma partição primária ou lógica existente. - + %1 cannot be installed on this partition. %1 não pode ser instalado nesta partição. - + Data partition (%1) Partição de dados (%1) - + Unknown system partition (%1) Partição de sistema desconhecida (%1) - + %1 system partition (%2) Partição de sistema %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>A partição %1 é muito pequena para %2. Por favor, selecione uma partição com capacidade mínima de %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Não foi encontrada uma partição de sistema EFI no sistema. Por favor, volte e use o particionamento manual para configurar %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 será instalado em %2.<br/><font color="red">Atenção: </font>todos os dados da partição %2 serão perdidos. - + The EFI system partition at %1 will be used for starting %2. A partição do sistema EFI em %1 será utilizada para iniciar %2. - + EFI system partition: Partição do sistema EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Saída: ResultsListDialog - + For best results, please ensure that this computer: Para melhores resultados, por favor, certifique-se de que este computador: - + System requirements Requisitos do sistema @@ -3045,27 +3092,27 @@ Saída: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requerimentos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para instalar %1.<br/>A instalação não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Este computador não satisfaz alguns dos requerimentos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funções podem ser desativadas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas alguns recursos podem ser desativados. - + This program will ask you some questions and set up %2 on your computer. Este programa irá fazer-lhe algumas perguntas e configurar %2 no computador. @@ -3348,51 +3395,80 @@ Saída: TrackingInstallJob - + Installation feedback Feedback da instalação - + Sending installation feedback. Enviando feedback da instalação. - + Internal error in install-tracking. Erro interno no install-tracking. - + HTTP request timed out. A solicitação HTTP expirou. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Feedback da máquina - + Configuring machine feedback. Configurando feedback da máquina. - - + + Error in machine feedback configuration. Erro na configuração de feedback da máquina. - + Could not configure machine feedback correctly, script error %1. Não foi possível configurar o feedback da máquina corretamente, erro de script %1. - + Could not configure machine feedback correctly, Calamares error %1. Não foi possível configurar o feedback da máquina corretamente, erro do Calamares %1. @@ -3411,8 +3487,8 @@ Saída: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Ao selecionar isto, você <span style=" font-weight:600;">não enviará nenhuma informação</span> sobre sua instalação.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Saída: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Clique aqui para mais informações sobre o feedback do usuário</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - O rastreamento de instalação ajuda %1 a ver quantos usuários eles têm, em qual hardware eles instalam %1 e (com as duas últimas opções abaixo), adquirir informações sobre os aplicativos preferidos. Para ver o que será enviado, por favor, clique no ícone de ajuda perto de cada área. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Ao selecionar isto, você enviará informações sobre sua instalação e hardware. Esta informação <b>será enviada apenas uma vez</b> depois que a instalação terminar. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Ao selecionar isto, você enviará <b>periodicamente</b> informações sobre sua instalação, hardware e aplicativos para %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Ao selecionar isto, você enviará <b>regularmente</b> informações sobre sua instalação, hardware, aplicativos e padrões de uso para %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Feedback @@ -3629,42 +3705,42 @@ Saída: &Notas de lançamento - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Bem-vindo ao programa de configuração Calamares para %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Bem-vindo à configuração de %1</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Bem-vindo ao instalador Calamares para %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Bem-vindo ao instalador %1 .</h1> - + %1 support %1 suporte - + About %1 setup Sobre a configuração de %1 - + About %1 installer Sobre o instalador %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>para %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Obrigado ao <a href="https://calamares.io/team/">time Calamares</a> e ao <a href="https://www.transifex.com/calamares/calamares/">time de tradutores do Calamares</a>.<br/><br/>O desenvolvimento do <a href="https://calamares.io/">Calamares</a> é patrocinado pela <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Saída: WelcomeQmlViewStep - + Welcome Bem-vindo @@ -3680,7 +3756,7 @@ Saída: WelcomeViewStep - + Welcome Bem-vindo @@ -3720,6 +3796,26 @@ Saída: Voltar + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Voltar + + keyboardq @@ -3765,6 +3861,24 @@ Saída: Teste seu teclado + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3838,27 +3952,27 @@ Saída: <p>Este programa fará algumas perguntas e configurar o %1 no seu computador.</p> - + About Sobre - + Support Suporte - + Known issues Problemas conhecidos - + Release notes Notas de lançamento - + Donate Faça uma doação diff --git a/lang/calamares_pt_PT.ts b/lang/calamares_pt_PT.ts index 756bbd2bc..add96468c 100644 --- a/lang/calamares_pt_PT.ts +++ b/lang/calamares_pt_PT.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Configuração - + Install Instalar @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Tarefa falhou (%1) - + Programmed job failure was explicitly requested. Falha de tarefa programada foi explicitamente solicitada. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Concluído @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Exemplo de tarefa (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Execute o comando '%1' no sistema alvo. - + Run command '%1'. Execute o comando '%1'. - + Running command %1 %2 A executar comando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Operação %1 em execução. - + Bad working directory path Caminho do directório de trabalho errado - + Working directory %1 for python job %2 is not readable. Directório de trabalho %1 para a tarefa python %2 não é legível. - + Bad main script file Ficheiro de script principal errado - + Main script file %1 for python job %2 is not readable. Ficheiro de script principal %1 para a tarefa python %2 não é legível. - + Boost.Python error in job "%1". Erro Boost.Python na tarefa "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + A verificação de requisitos para módulo <i>%1</i> está completa. + - + Waiting for %n module(s). A aguardar por %n módulo(s). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n segundo(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. A verificação de requisitos de sistema está completa. @@ -273,13 +278,13 @@ - + &Yes &Sim - + &No &Não @@ -314,109 +319,109 @@ <br/>Os módulos seguintes não puderam ser carregados: - + Continue with setup? Continuar com a configuração? - + Continue with installation? Continuar com a instalação? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> O programa de instalação %1 está prestes a fazer alterações no seu disco para configurar o %2.<br/><strong>Você não poderá desfazer essas alterações.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> O %1 instalador está prestes a fazer alterações ao seu disco em ordem para instalar %2.<br/><strong>Não será capaz de desfazer estas alterações.</strong> - + &Set up now &Instalar agora - + &Install now &Instalar agora - + Go &back Voltar &atrás - + &Set up &Instalar - + &Install &Instalar - + Setup is complete. Close the setup program. Instalação completa. Feche o programa de instalação. - + The installation is complete. Close the installer. A instalação está completa. Feche o instalador. - + Cancel setup without changing the system. Cancelar instalação sem alterar o sistema. - + Cancel installation without changing the system. Cancelar instalar instalação sem modificar o sistema. - + &Next &Próximo - + &Back &Voltar - + &Done &Feito - + &Cancel &Cancelar - + Cancel setup? Cancelar instalação? - + Cancel installation? Cancelar a instalação? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Quer mesmo cancelar o processo de instalação atual? O programa de instalação irá fechar todas as alterações serão perdidas. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Tem a certeza que pretende cancelar o atual processo de instalação? @@ -426,22 +431,22 @@ O instalador será encerrado e todas as alterações serão perdidas. CalamaresPython::Helper - + Unknown exception type Tipo de exceção desconhecido - + unparseable Python error erro inanalisável do Python - + unparseable Python traceback rasto inanalisável do Python - + Unfetchable Python error. Erro inatingível do Python. @@ -459,32 +464,32 @@ O instalador será encerrado e todas as alterações serão perdidas. CalamaresWindow - + Show debug information Mostrar informação de depuração - + &Back &Voltar - + &Next &Próximo - + &Cancel &Cancelar - + %1 Setup Program %1 Programa de Instalação - + %1 Installer %1 Instalador @@ -681,18 +686,18 @@ O instalador será encerrado e todas as alterações serão perdidas. CommandList - - + + Could not run command. Não foi possível correr o comando. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. O comando corre no ambiente do host e precisa de conhecer o caminho root, mas nenhum Ponto de Montagem root está definido. - + The command needs to know the user's name, but no username is defined. O comando precisa de saber o nome do utilizador, mas não está definido nenhum nome de utilizador. @@ -745,49 +750,49 @@ O instalador será encerrado e todas as alterações serão perdidas.Instalação de rede. (Desativada: Incapaz de buscar listas de pacotes, verifique a sua ligação de rede) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para instalar %1.<br/>A instalação não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funcionalidades podem ser desativadas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas algumas funcionalidades poderão ser desativadas. - + This program will ask you some questions and set up %2 on your computer. Este programa vai fazer-lhe algumas perguntas e configurar o %2 no seu computador. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Bem vindo ao programa de instalação Calamares para %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Bem vindo à instalação de %1.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Bem vindo ao instalador Calamares para %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bem vindo ao instalador do %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ O instalador será encerrado e todas as alterações serão perdidas. FillGlobalStorageJob - + Set partition information Definir informação da partição - + Install %1 on <strong>new</strong> %2 system partition. Instalar %1 na <strong>nova</strong> %2 partição de sistema. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Criar <strong>nova</strong> %2 partição com ponto de montagem <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalar %2 em %3 partição de sistema <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Criar %3 partitição <strong>%1</strong> com ponto de montagem <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalar carregador de arranque em <strong>%1</strong>. - + Setting up mount points. Definindo pontos de montagem. @@ -1272,32 +1277,32 @@ O instalador será encerrado e todas as alterações serão perdidas.&Reiniciar agora - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Tudo feito</h1><br/>%1 foi instalado no seu computador.<br/>Pode agora reiniciar para o seu novo sistema, ou continuar a usar o %2 ambiente Live. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalação Falhada</h1><br/>%1 não foi instalado no seu computador.<br/>A mensagem de erro foi: %2. @@ -1305,27 +1310,27 @@ O instalador será encerrado e todas as alterações serão perdidas. FinishedViewStep - + Finish Finalizar - + Setup Complete Instalação Completa - + Installation Complete Instalação Completa - + The setup of %1 is complete. A instalação de %1 está completa. - + The installation of %1 is complete. A instalação de %1 está completa. @@ -1356,72 +1361,72 @@ O instalador será encerrado e todas as alterações serão perdidas. GeneralRequirements - + has at least %1 GiB available drive space tem pelo menos %1 GiB de espaço livre em disco - + There is not enough drive space. At least %1 GiB is required. Não existe espaço livre suficiente em disco. É necessário pelo menos %1 GiB. - + has at least %1 GiB working memory tem pelo menos %1 GiB de memória disponível - + The system does not have enough working memory. At least %1 GiB is required. O sistema não tem memória disponível suficiente. É necessário pelo menos %1 GiB. - + is plugged in to a power source está ligado a uma fonte de energia - + The system is not plugged in to a power source. O sistema não está ligado a uma fonte de energia. - + is connected to the Internet está ligado à internet - + The system is not connected to the Internet. O sistema não está ligado à internet. - + is running the installer as an administrator (root) está a executar o instalador como um administrador (root) - + The setup program is not running with administrator rights. O programa de instalação está agora a correr com direitos de administrador. - + The installer is not running with administrator rights. O instalador não está a ser executado com permissões de administrador. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. O ecrã é demasiado pequeno para mostrar o programa de instalação. - + The screen is too small to display the installer. O ecrã tem um tamanho demasiado pequeno para mostrar o instalador. @@ -1769,6 +1774,16 @@ O instalador será encerrado e todas as alterações serão perdidas. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ O instalador será encerrado e todas as alterações serão perdidas.Definir o Identificar OEM em Lote para <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ O instalador será encerrado e todas as alterações serão perdidas.Partições - + Install %1 <strong>alongside</strong> another operating system. Instalar %1 <strong>paralelamente</strong> a outro sistema operativo. - + <strong>Erase</strong> disk and install %1. <strong>Apagar</strong> disco e instalar %1. - + <strong>Replace</strong> a partition with %1. <strong>Substituir</strong> a partição com %1. - + <strong>Manual</strong> partitioning. Particionamento <strong>Manual</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalar %1 <strong>paralelamente</strong> a outro sistema operativo no disco <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Apagar</strong> disco <strong>%2</strong> (%3) e instalar %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Substituir</strong> a partição no disco <strong>%2</strong> (%3) com %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Particionamento <strong>Manual</strong> no disco <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disco <strong>%1</strong> (%2) - + Current: Atual: - + After: Depois: - + No EFI system partition configured Nenhuma partição de sistema EFI configurada - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set flag não definida da partição de sistema EFI - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partição de arranque não encriptada - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Foi preparada uma partição de arranque separada juntamente com uma partição root encriptada, mas a partição de arranque não está encriptada.<br/><br/>Existem preocupações de segurança com este tipo de configuração, por causa de importantes ficheiros de sistema serem guardados numa partição não encriptada.<br/>Se desejar pode continuar, mas o destrancar do sistema de ficheiros irá ocorrer mais tarde durante o arranque do sistema.<br/>Para encriptar a partição de arranque, volte atrás e recrie-a, e selecione <strong>Encriptar</strong> na janela de criação de partições. - + has at least one disk device available. tem pelo menos um dispositivo de disco disponível. - + There are no partitions to install on. @@ -2660,14 +2688,14 @@ O instalador será encerrado e todas as alterações serão perdidas. ProcessResult - + There was no output from the command. O comando não produziu saída de dados. - + Output: @@ -2676,52 +2704,52 @@ Saída de Dados: - + External command crashed. O comando externo "crashou". - + Command <i>%1</i> crashed. Comando <i>%1</i> "crashou". - + External command failed to start. Comando externo falhou ao iniciar. - + Command <i>%1</i> failed to start. Comando <i>%1</i> falhou a inicialização. - + Internal error when starting command. Erro interno ao iniciar comando. - + Bad parameters for process job call. Maus parâmetros para chamada de processamento de tarefa. - + External command failed to finish. Comando externo falhou a finalização. - + Command <i>%1</i> failed to finish in %2 seconds. Comando <i>%1</i> falhou ao finalizar em %2 segundos. - + External command finished with errors. Comando externo finalizou com erros. - + Command <i>%1</i> finished with exit code %2. Comando <i>%1</i> finalizou com código de saída %2. @@ -2729,32 +2757,27 @@ Saída de Dados: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - A verificação de requisitos para módulo <i>%1</i> está completa. - - - + unknown desconhecido - + extended estendido - + unformatted não formatado - + swap swap @@ -2808,6 +2831,15 @@ Saída de Dados: Espaço não particionado ou tabela de partições desconhecida + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2843,73 +2875,88 @@ Saída de Dados: Formulário - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Selecione onde instalar %1.<br/><font color="red">Aviso: </font>isto irá apagar todos os ficheiros na partição selecionada. - + The selected item does not appear to be a valid partition. O item selecionado não aparenta ser uma partição válida. - + %1 cannot be installed on empty space. Please select an existing partition. %1 não pode ser instalado no espaço vazio. Por favor selecione uma partição existente. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 não pode ser instalado numa partição estendida. Por favor selecione uma partição primária ou partição lógica. - + %1 cannot be installed on this partition. %1 não pode ser instalado nesta partição. - + Data partition (%1) Partição de dados (%1) - + Unknown system partition (%1) Partição de sistema desconhecida (%1) - + %1 system partition (%2) %1 partição de sistema (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>A partição %1 é demasiado pequena para %2. Por favor selecione uma partição com pelo menos %3 GiB de capacidade. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Uma partição de sistema EFI não pode ser encontrada em nenhum sítio neste sistema. Por favor volte atrás e use o particionamento manual para instalar %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 será instalado na %2.<br/><font color="red">Aviso: </font>todos os dados na partição %2 serão perdidos. - + The EFI system partition at %1 will be used for starting %2. A partição de sistema EFI em %1 será usada para iniciar %2. - + EFI system partition: Partição de sistema EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3032,12 +3079,12 @@ Saída de Dados: ResultsListDialog - + For best results, please ensure that this computer: Para melhores resultados, por favor certifique-se que este computador: - + System requirements Requisitos de sistema @@ -3045,27 +3092,27 @@ Saída de Dados: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Este computador não satisfaz os requisitos mínimos para instalar %1.<br/>A instalação não pode continuar. <a href="#details">Detalhes...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funcionalidades podem ser desativadas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Este computador não satisfaz alguns dos requisitos recomendados para instalar %1.<br/>A instalação pode continuar, mas algumas funcionalidades poderão ser desativadas. - + This program will ask you some questions and set up %2 on your computer. Este programa vai fazer-lhe algumas perguntas e configurar o %2 no seu computador. @@ -3348,51 +3395,80 @@ Saída de Dados: TrackingInstallJob - + Installation feedback Relatório da Instalação - + Sending installation feedback. A enviar relatório da instalação. - + Internal error in install-tracking. Erro interno no rastreio da instalação. - + HTTP request timed out. Expirou o tempo para o pedido de HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback Relatório da máquina - + Configuring machine feedback. A configurar relatório da máquina. - - + + Error in machine feedback configuration. Erro na configuração do relatório da máquina. - + Could not configure machine feedback correctly, script error %1. Não foi possível configurar corretamente o relatório da máquina, erro de script %1. - + Could not configure machine feedback correctly, Calamares error %1. Não foi possível configurar corretamente o relatório da máquina, erro do Calamares %1. @@ -3411,8 +3487,8 @@ Saída de Dados: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Ao selecionar isto, não estará a enviar <span style=" font-weight:600;">qualquer informação</span> sobre a sua instalação.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3420,30 +3496,30 @@ Saída de Dados: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Clique aqui para mais informação acerca do relatório do utilizador</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - O rastreio de instalação ajuda %1 a ver quanto utilizadores eles têm, qual o hardware que instalam %1 e (com a duas últimas opções abaixo), obter informação contínua sobre aplicações preferidas. Para ver o que será enviado, por favor clique no ícone de ajuda a seguir a cada área. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Ao selecionar isto estará a enviar informação acerca da sua instalação e hardware. Esta informação será <b>enviada apenas uma vez</b> depois da instalação terminar. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Ao selecionar isto irá <b>periodicamente</b> enviar informação sobre a instalação, hardware e aplicações, para %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Ao selecionar isto irá periodicamente enviar informação sobre a instalação, hardware, aplicações e padrões de uso, para %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Relatório @@ -3629,42 +3705,42 @@ Saída de Dados: &Notas de lançamento - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Bem vindo ao programa de instalação Calamares para %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Bem vindo à instalação de %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Bem vindo ao instalador Calamares para %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Bem vindo ao instalador do %1.</h1> - + %1 support %1 suporte - + About %1 setup Sobre a instalação de %1 - + About %1 installer Acerca %1 instalador - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3748,7 @@ Saída de Dados: WelcomeQmlViewStep - + Welcome Bem-vindo @@ -3680,7 +3756,7 @@ Saída de Dados: WelcomeViewStep - + Welcome Bem-vindo @@ -3709,6 +3785,26 @@ Saída de Dados: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3754,6 +3850,24 @@ Saída de Dados: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3805,27 +3919,27 @@ Saída de Dados: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ro.ts b/lang/calamares_ro.ts index 7216960a3..7e9b14462 100644 --- a/lang/calamares_ro.ts +++ b/lang/calamares_ro.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instalează @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Gata @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Se rulează comanda %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Se rulează operațiunea %1. - + Bad working directory path Calea dosarului de lucru este proastă - + Working directory %1 for python job %2 is not readable. Dosarul de lucru %1 pentru sarcina python %2 nu este citibil. - + Bad main script file Fișierul script principal este prost - + Main script file %1 for python job %2 is not readable. Fișierul script peincipal %1 pentru sarcina Python %2 nu este citibil. - + Boost.Python error in job "%1". Eroare Boost.Python în sarcina „%1”. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -237,7 +242,7 @@ - + (%n second(s)) @@ -246,7 +251,7 @@ - + System-requirements checking is complete. @@ -275,13 +280,13 @@ - + &Yes &Da - + &No &Nu @@ -316,108 +321,108 @@ - + Continue with setup? Continuați configurarea? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Programul de instalare %1 este pregătit să facă schimbări pe discul dumneavoastră pentru a instala %2.<br/><strong>Nu veți putea anula aceste schimbări.</strong> - + &Set up now - + &Install now &Instalează acum - + Go &back Î&napoi - + &Set up - + &Install Instalează - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. Instalarea este completă. Închide instalatorul. - + Cancel setup without changing the system. - + Cancel installation without changing the system. Anulează instalarea fără schimbarea sistemului. - + &Next &Următorul - + &Back &Înapoi - + &Done &Gata - + &Cancel &Anulează - + Cancel setup? - + Cancel installation? Anulez instalarea? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Doriți să anulați procesul curent de instalare? @@ -427,22 +432,22 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. CalamaresPython::Helper - + Unknown exception type Tip de excepție necunoscut - + unparseable Python error Eroare Python neanalizabilă - + unparseable Python traceback Traceback Python neanalizabil - + Unfetchable Python error. Eroare Python nepreluabilă @@ -459,32 +464,32 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. CalamaresWindow - + Show debug information Arată informația de depanare - + &Back &Înapoi - + &Next &Următorul - + &Cancel &Anulează - + %1 Setup Program - + %1 Installer Program de instalare %1 @@ -681,18 +686,18 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. CommandList - - + + Could not run command. Nu s-a putut executa comanda. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -745,49 +750,49 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.Instalarea rețelei. (Dezactivat: Nu se pot obține listele de pachete, verificați conexiunea la rețea) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Acest calculator nu satisface cerințele minimale pentru instalarea %1.<br/>Instalarea nu poate continua. <a href="#details">Detalii...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Acest calculator nu satisface unele din cerințele recomandate pentru instalarea %1.<br/>Instalarea poate continua, dar unele funcții ar putea fi dezactivate. - + This program will ask you some questions and set up %2 on your computer. Acest program vă va pune mai multe întrebări și va seta %2 pe calculatorul dumneavoastră. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Bun venit în programul de instalare Calamares pentru %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Bine ați venit la programul de instalare pentru %1.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1224,37 +1229,37 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. FillGlobalStorageJob - + Set partition information Setează informația pentru partiție - + Install %1 on <strong>new</strong> %2 system partition. Instalează %1 pe <strong>noua</strong> partiție de sistem %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Setează <strong>noua</strong> partiție %2 cu punctul de montare <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instalează %2 pe partiția de sistem %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Setează partiția %3 <strong>%1</strong> cu punctul de montare <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalează bootloader-ul pe <strong>%1</strong>. - + Setting up mount points. Se setează puncte de montare. @@ -1272,32 +1277,32 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.&Repornește acum - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Gata.</h1><br/>%1 a fost instalat pe calculatorul dumneavoastră.<br/>Puteți reporni noul sistem, sau puteți continua să folosiți sistemul de operare portabil %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalarea a eșuat</h1><br/>%1 nu a mai fost instalat pe acest calculator.<br/>Mesajul de eroare era: %2. @@ -1305,27 +1310,27 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. FinishedViewStep - + Finish Termină - + Setup Complete - + Installation Complete Instalarea s-a terminat - + The setup of %1 is complete. - + The installation of %1 is complete. Instalarea este %1 completă. @@ -1356,72 +1361,72 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source este alimentat cu curent - + The system is not plugged in to a power source. Sistemul nu este alimentat cu curent. - + is connected to the Internet este conectat la Internet - + The system is not connected to the Internet. Sistemul nu este conectat la Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. Programul de instalare nu rulează cu privilegii de administrator. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. Ecranu este prea mic pentru a afișa instalatorul. @@ -1769,6 +1774,16 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2497,107 +2525,107 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute.Partiții - + Install %1 <strong>alongside</strong> another operating system. Instalează %1 <strong>laolaltă</strong> cu un alt sistem de operare. - + <strong>Erase</strong> disk and install %1. <strong>Șterge</strong> discul și instalează %1. - + <strong>Replace</strong> a partition with %1. <strong>Înlocuiește</strong> o partiție cu %1. - + <strong>Manual</strong> partitioning. Partiționare <strong>manuală</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instalează %1 <strong>laolaltă</strong> cu un alt sistem de operare pe discul <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Șterge</strong> discul <strong>%2</strong> (%3) și instalează %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Înlocuiește</strong> o partiție pe discul <strong>%2</strong> (%3) cu %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Partiționare <strong>manuală</strong> a discului <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Discul <strong>%1</strong> (%2) - + Current: Actual: - + After: După: - + No EFI system partition configured Nicio partiție de sistem EFI nu a fost configurată - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Flag-ul de partiție de sistem pentru EFI nu a fost setat - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted Partiția de boot nu este criptată - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. A fost creată o partiție de boot împreună cu o partiție root criptată, dar partiția de boot nu este criptată.<br/><br/>Sunt potențiale probleme de securitate cu un astfel de aranjament deoarece importante fișiere de sistem sunt păstrate pe o partiție necriptată.<br/>Puteți continua dacă doriți, dar descuierea sistemului se va petrece mai târziu în timpul pornirii.<br/>Pentru a cripta partiția de boot, reveniți și recreați-o, alegând opțiunea <strong>Criptează</strong> din fereastra de creare de partiții. - + has at least one disk device available. - + There are no partitions to install on. @@ -2663,14 +2691,14 @@ Programul de instalare va ieși, iar toate modificările vor fi pierdute. ProcessResult - + There was no output from the command. Nu a existat nici o iesire din comanda - + Output: @@ -2679,52 +2707,52 @@ Output - + External command crashed. Comanda externă a eșuat. - + Command <i>%1</i> crashed. Comanda <i>%1</i> a eșuat. - + External command failed to start. Comanda externă nu a putut fi pornită. - + Command <i>%1</i> failed to start. Comanda <i>%1</i> nu a putut fi pornită. - + Internal error when starting command. Eroare internă la pornirea comenzii. - + Bad parameters for process job call. Parametri proști pentru apelul sarcinii de proces. - + External command failed to finish. Finalizarea comenzii externe a eșuat. - + Command <i>%1</i> failed to finish in %2 seconds. Comanda <i>%1</i> nu a putut fi finalizată în %2 secunde. - + External command finished with errors. Comanda externă finalizată cu erori. - + Command <i>%1</i> finished with exit code %2. Comanda <i>%1</i> finalizată cu codul de ieșire %2. @@ -2732,32 +2760,27 @@ Output QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown necunoscut - + extended extins - + unformatted neformatat - + swap swap @@ -2811,6 +2834,15 @@ Output Spațiu nepartiționat sau tabelă de partiții necunoscută + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2846,73 +2878,88 @@ Output Formular - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Selectați locul în care să instalați %1.<br/><font color="red">Atenție: </font>aceasta va șterge toate fișierele de pe partiția selectată. - + The selected item does not appear to be a valid partition. Elementul selectat nu pare a fi o partiție validă. - + %1 cannot be installed on empty space. Please select an existing partition. %1 nu poate fi instalat în spațiul liber. Vă rugăm să alegeți o partiție existentă. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 nu poate fi instalat pe o partiție extinsă. Vă rugăm selectați o partiție primară existentă sau o partiție logică. - + %1 cannot be installed on this partition. %1 nu poate fi instalat pe această partiție. - + Data partition (%1) Partiție de date (%1) - + Unknown system partition (%1) Partiție de sistem necunoscută (%1) - + %1 system partition (%2) %1 partiție de sistem (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partiția %1 este prea mică pentru %2. Vă rugăm selectați o partiție cu o capacitate de cel puțin %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>O partiție de sistem EFI nu a putut fi găsită nicăieri pe sistem. Vă rugăm să reveniți și să utilizați partiționarea manuală pentru a seta %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 va fi instalat pe %2.<br/><font color="red">Atenție: </font>toate datele de pe partiția %2 se vor pierde. - + The EFI system partition at %1 will be used for starting %2. Partiția de sistem EFI de la %1 va fi folosită pentru a porni %2. - + EFI system partition: Partiție de sistem EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3035,12 +3082,12 @@ Output ResultsListDialog - + For best results, please ensure that this computer: Pentru rezultate optime, asigurați-vă că acest calculator: - + System requirements Cerințe de sistem @@ -3048,27 +3095,27 @@ Output ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Acest calculator nu satisface cerințele minimale pentru instalarea %1.<br/>Instalarea nu poate continua. <a href="#details">Detalii...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Acest calculator nu satisface unele din cerințele recomandate pentru instalarea %1.<br/>Instalarea poate continua, dar unele funcții ar putea fi dezactivate. - + This program will ask you some questions and set up %2 on your computer. Acest program vă va pune mai multe întrebări și va seta %2 pe calculatorul dumneavoastră. @@ -3351,51 +3398,80 @@ Output TrackingInstallJob - + Installation feedback Feedback pentru instalare - + Sending installation feedback. Trimite feedback pentru instalare - + Internal error in install-tracking. Eroare internă în gestionarea instalării. - + HTTP request timed out. Requestul HTTP a atins time out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Feedback pentru mașină - + Configuring machine feedback. Se configurează feedback-ul pentru mașină - - + + Error in machine feedback configuration. Eroare în configurația de feedback pentru mașină. - + Could not configure machine feedback correctly, script error %1. Nu s-a putut configura feedback-ul pentru mașină în mod corect, eroare de script %1 - + Could not configure machine feedback correctly, Calamares error %1. Nu s-a putut configura feedback-ul pentru mașină în mod corect, eroare Calamares %1. @@ -3414,8 +3490,8 @@ Output - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Prin selectarea acestei opțiuni <span style=" font-weight:600;">nu vei trimite nicio informație</span> vei trimite informații despre instalare.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3423,30 +3499,30 @@ Output <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Clic aici pentru mai multe informații despre feedback-ul de la utilizatori</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Urmărirea instalărilor ajută %1 să măsoare numărul de utilizatori, hardware-ul pe care se instalează %1 și (cu ajutorul celor două opțiuni de mai jos) poate obține informații în mod continuu despre aplicațiile preferate. Pentru a vedea ce informații se trimit, clic pe pictograma de ajutor din dreptul fiecărei zone. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Alegând să trimiți aceste informații despre instalare și hardware vei trimite aceste informații <b>o singură dată</b> după finalizarea instalării. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Prin această alegere vei trimite informații despre instalare, hardware și aplicații în mod <b>periodic</b>. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Prin această alegere vei trimite informații în mod <b>regulat</b> despre instalare, hardware, aplicații și tipare de utilizare la %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Feedback @@ -3632,42 +3708,42 @@ Output &Note asupra ediției - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Bun venit în programul de instalare Calamares pentru %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Bine ați venit la programul de instalare pentru %1.</h1> - + %1 support %1 suport - + About %1 setup - + About %1 installer Despre programul de instalare %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3675,7 +3751,7 @@ Output WelcomeQmlViewStep - + Welcome Bine ați venit @@ -3683,7 +3759,7 @@ Output WelcomeViewStep - + Welcome Bine ați venit @@ -3712,6 +3788,26 @@ Output + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3757,6 +3853,24 @@ Output + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3808,27 +3922,27 @@ Output - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_ru.ts b/lang/calamares_ru.ts index 13e1d65a8..8a66cdc77 100644 --- a/lang/calamares_ru.ts +++ b/lang/calamares_ru.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Настроить - + Install Установить @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Не удалось выполнить задание (%1) - + Programmed job failure was explicitly requested. Работа программы была прекращена пользователем. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Готово @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Пример задания (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Запустить комманду'%1'в целевой системе. - + Run command '%1'. Запустить команду '%1'. - + Running command %1 %2 Выполняется команда %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Выполняется действие %1. - + Bad working directory path Неверный путь к рабочему каталогу - + Working directory %1 for python job %2 is not readable. Рабочий каталог %1 для задачи python %2 недоступен для чтения. - + Bad main script file Ошибочный главный файл сценария - + Main script file %1 for python job %2 is not readable. Главный файл сценария %1 для задачи python %2 недоступен для чтения. - + Boost.Python error in job "%1". Boost.Python ошибка в задаче "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Проверка требований для модуля <i>%1</i> завершена. + - + Waiting for %n module(s). Ожидание %n модуля. @@ -238,7 +243,7 @@ - + (%n second(s)) (% секунда) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Проверка соответствия системным требованиям завершена. @@ -277,13 +282,13 @@ - + &Yes &Да - + &No &Нет @@ -318,109 +323,109 @@ <br/>Не удалось загрузить следующие модули: - + Continue with setup? Продолжить установку? - + Continue with installation? Продолжить установку? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Программа установки %1 готова внести изменения на Ваш диск, чтобы установить %2.<br/><strong>Отменить эти изменения будет невозможно.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Программа установки %1 готова внести изменения на Ваш диск, чтобы установить %2.<br/><strong>Отменить эти изменения будет невозможно.</strong> - + &Set up now &Настроить сейчас - + &Install now Приступить к &установке - + Go &back &Назад - + &Set up &Настроить - + &Install &Установить - + Setup is complete. Close the setup program. Установка завершена. Закройте программу установки. - + The installation is complete. Close the installer. Установка завершена. Закройте установщик. - + Cancel setup without changing the system. Отменить установку без изменения системы. - + Cancel installation without changing the system. Отменить установку без изменения системы. - + &Next &Далее - + &Back &Назад - + &Done &Готово - + &Cancel О&тмена - + Cancel setup? Отменить установку? - + Cancel installation? Отменить установку? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Прервать процесс установки? Программа установки прекратит работу и все изменения будут потеряны. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Действительно прервать процесс установки? Программа установки сразу прекратит работу, все изменения будут потеряны. @@ -429,22 +434,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Неизвестный тип исключения - + unparseable Python error неподдающаяся обработке ошибка Python - + unparseable Python traceback неподдающийся обработке traceback Python - + Unfetchable Python error. Неизвестная ошибка Python @@ -462,32 +467,32 @@ n%1 CalamaresWindow - + Show debug information Показать отладочную информацию - + &Back &Назад - + &Next &Далее - + &Cancel &Отмена - + %1 Setup Program Программа установки %1 - + %1 Installer Программа установки %1 @@ -684,18 +689,18 @@ n%1 CommandList - - + + Could not run command. Не удалось выполнить команду. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Команда выполняется в окружении установщика, и ей необходимо знать путь корневого раздела, но rootMountPoint не определено. - + The command needs to know the user's name, but no username is defined. Команде необходимо знать имя пользователя, но оно не задано. @@ -748,49 +753,49 @@ n%1 Установка по сети. (Отключено: не удается получить список пакетов, проверьте сетевое подключение) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Невозможно продолжить установку. <a href="#details">Подробнее...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Невозможно продолжить установку. <a href="#details">Подробнее...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - + This program will ask you some questions and set up %2 on your computer. Эта программа задаст вам несколько вопросов и поможет установить %2 на ваш компьютер. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Добро пожаловать в программу установки Calamares для %1 .</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Добро пожаловать в программу установки %1 .</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Добро пожаловать в установщик Calamares для %1 .</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Добро пожаловать в программу установки %1 .</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1227,37 +1232,37 @@ n%1 FillGlobalStorageJob - + Set partition information Установить сведения о разделе - + Install %1 on <strong>new</strong> %2 system partition. Установить %1 на <strong>новый</strong> системный раздел %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Настроить <strong>новый</strong> %2 раздел с точкой монтирования <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Установить %2 на %3 системный раздел <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Настроить %3 раздел <strong>%1</strong> с точкой монтирования <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Установить загрузчик на <strong>%1</strong>. - + Setting up mount points. Настраиваются точки монтирования. @@ -1275,32 +1280,32 @@ n%1 П&ерезагрузить - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Готово.</h1><br/>Система %1 установлена на ваш компьютер.<br/>Можете перезагрузить компьютер и начать использовать вашу новую систему. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Если этот флажок установлен, ваша система будет перезагружена сразу после нажатия кнопки <span style="font-style:italic;">Готово</span> или закрытия программы установки.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Готово.</h1><br/>Система %1 установлена на Ваш компьютер.<br/>Вы можете перезагрузить компьютер и использовать Вашу новую систему или продолжить работу в Live окружении %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Если этот флажок установлен, ваша система будет перезагружена сразу после нажатия кнопки <span style=" font-style:italic;">Готово</span> или закрытия программы установки.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Сбой установки</h1><br/>Система %1 не была установлена на ваш компьютер.<br/>Сообщение об ошибке: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Сбой установки</h1><br/>Не удалось установить %1 на ваш компьютер.<br/>Сообщение об ошибке: %2. @@ -1308,27 +1313,27 @@ n%1 FinishedViewStep - + Finish Завершить - + Setup Complete Установка завершена - + Installation Complete Установка завершена - + The setup of %1 is complete. Установка %1 завершена. - + The installation of %1 is complete. Установка %1 завершена. @@ -1359,72 +1364,72 @@ n%1 GeneralRequirements - + has at least %1 GiB available drive space доступно как минимум %1 ГБ свободного дискового пространства - + There is not enough drive space. At least %1 GiB is required. Недостаточно места на дисках. Необходимо как минимум %1 ГБ. - + has at least %1 GiB working memory доступно как минимум %1 ГБ оперативной памяти - + The system does not have enough working memory. At least %1 GiB is required. Недостаточно оперативной памяти. Необходимо как минимум %1 ГБ. - + is plugged in to a power source подключено сетевое питание - + The system is not plugged in to a power source. Сетевое питание не подключено. - + is connected to the Internet присутствует выход в сеть Интернет - + The system is not connected to the Internet. Отсутствует выход в Интернет. - + is running the installer as an administrator (root) запуск установщика с правами администратора (root) - + The setup program is not running with administrator rights. Программа установки запущена без прав администратора. - + The installer is not running with administrator rights. Программа установки не запущена с привилегиями администратора. - + has a screen large enough to show the whole installer экран достаточно большой, чтобы показать установщик полностью - + The screen is too small to display the setup program. Экран слишком маленький, чтобы отобразить программу установки. - + The screen is too small to display the installer. Экран слишком маленький, чтобы отобразить окно установщика. @@ -1772,6 +1777,16 @@ n%1 + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1910,6 +1925,19 @@ n%1 + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2497,107 +2525,107 @@ n%1 Разделы - + Install %1 <strong>alongside</strong> another operating system. Установить %1 <strong>параллельно</strong> к другой операционной системе. - + <strong>Erase</strong> disk and install %1. <strong>Очистить</strong> диск и установить %1. - + <strong>Replace</strong> a partition with %1. <strong>Заменить</strong> раздел на %1. - + <strong>Manual</strong> partitioning. <strong>Ручная</strong> разметка. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Установить %1 <strong>параллельно</strong> к другой операционной системе на диске <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Очистить</strong> диск <strong>%2</strong> (%3) и установить %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Заменить</strong> раздел на диске <strong>%2</strong> (%3) на %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ручная</strong> разметка диска <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Диск <strong>%1</strong> (%2) - + Current: Текущий: - + After: После: - + No EFI system partition configured Нет настроенного системного раздела EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set Не установлен флаг системного раздела EFI - + Option to use GPT on BIOS Возможность для использования GPT в BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Таблица разделов GPT - наилучший вариант для всех систем. Этот установщик позволяет использовать таблицу разделов GPT для систем с BIOS. <br/> <br/> Чтобы установить таблицу разделов как GPT (если это еще не сделано) вернитесь назад и создайте таблицу разделов GPT, затем создайте 8 МБ Не форматированный раздел с включенным флагом <strong> bios-grub</strong> </ strong>. <br/> <br/> Не форматированный раздел в 8 МБ необходим для запуска %1 на системе с BIOS и таблицей разделов GPT. - + Boot partition not encrypted Загрузочный раздел не зашифрован - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Включено шифрование корневого раздела, но использован отдельный загрузочный раздел без шифрования.<br/><br/>При такой конфигурации возникают проблемы с безопасностью, потому что важные системные файлы хранятся на разделе без шифрования.<br/>Если хотите, можете продолжить, но файловая система будет разблокирована позднее во время загрузки системы.<br/>Чтобы включить шифрование загрузочного раздела, вернитесь назад и снова создайте его, отметив <strong>Шифровать</strong> в окне создания раздела. - + has at least one disk device available. имеет как минимум одно доступное дисковое устройство. - + There are no partitions to install on. Нет разделов для установки. @@ -2663,14 +2691,14 @@ n%1 ProcessResult - + There was no output from the command. Вывода из команды не последовало. - + Output: @@ -2679,52 +2707,52 @@ Output: - + External command crashed. Сбой внешней команды. - + Command <i>%1</i> crashed. Сбой команды <i>%1</i>. - + External command failed to start. Не удалось запустить внешнюю команду. - + Command <i>%1</i> failed to start. Не удалось запустить команду <i>%1</i>. - + Internal error when starting command. Внутренняя ошибка при запуске команды. - + Bad parameters for process job call. Неверные параметры для вызова процесса. - + External command failed to finish. Не удалось завершить внешнюю команду. - + Command <i>%1</i> failed to finish in %2 seconds. Команда <i>%1</i> не завершилась за %2 с. - + External command finished with errors. Внешняя команда завершилась с ошибками. - + Command <i>%1</i> finished with exit code %2. Команда <i>%1</i> завершилась с кодом %2. @@ -2732,32 +2760,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Проверка требований для модуля <i>%1</i> завершена. - - - + unknown неизвестный - + extended расширенный - + unformatted неформатированный - + swap swap @@ -2811,6 +2834,15 @@ Output: Неразмеченное место или неизвестная таблица разделов + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2846,73 +2878,88 @@ Output: Форма - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Выберите, где установить %1.<br/><font color="red">Внимание: </font>это удалит все файлы на выбранном разделе. - + The selected item does not appear to be a valid partition. Выбранный элемент, видимо, не является действующим разделом. - + %1 cannot be installed on empty space. Please select an existing partition. %1 не может быть установлен вне раздела. Пожалуйста выберите существующий раздел. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 не может быть установлен прямо в расширенный раздел. Выберите существующий основной или логический раздел. - + %1 cannot be installed on this partition. %1 не может быть установлен в этот раздел. - + Data partition (%1) Раздел данных (%1) - + Unknown system partition (%1) Неизвестный системный раздел (%1) - + %1 system partition (%2) %1 системный раздел (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Раздел %1 слишком мал для %2. Пожалуйста выберите раздел объемом не менее %3 Гиб. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Не найден системный раздел EFI. Вернитесь назад и выполните ручную разметку для установки %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 будет установлен в %2.<br/><font color="red">Внимание: </font>все данные на разделе %2 будут потеряны. - + The EFI system partition at %1 will be used for starting %2. Системный раздел EFI на %1 будет использован для запуска %2. - + EFI system partition: Системный раздел EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3035,12 +3082,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Для наилучших результатов, убедитесь, что этот компьютер: - + System requirements Системные требования @@ -3048,27 +3095,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Невозможно продолжить установку. <a href="#details">Подробнее...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Этот компьютер не соответствует минимальным требованиям для установки %1.<br/>Невозможно продолжить установку. <a href="#details">Подробнее...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Этот компьютер соответствует не всем рекомендуемым требованиям для установки %1.<br/>Можно продолжить установку, но некоторые возможности могут быть недоступны. - + This program will ask you some questions and set up %2 on your computer. Эта программа задаст вам несколько вопросов и поможет установить %2 на ваш компьютер. @@ -3351,51 +3398,80 @@ Output: TrackingInstallJob - + Installation feedback Отчёт об установке - + Sending installation feedback. Отправка отчёта об установке. - + Internal error in install-tracking. Внутренняя ошибка в install-tracking. - + HTTP request timed out. Тайм-аут запроса HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + - + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. Не удалось настроить отзывы о компьютере, ошибка сценария %1. - + Could not configure machine feedback correctly, Calamares error %1. Не удалось настроить отзывы о компьютере, ошибка Calamares %1. @@ -3414,8 +3490,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Если вы это выберете, то не будет отправлено <span style=" font-weight:600;">никаких</span> сведений об установке.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3423,30 +3499,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Щелкните здесь чтобы узнать больше об отзывах пользователей</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Отслеживание установок позволяет %1 узнать, сколько у них пользователей, на каком оборудовании устанавливается %1, и (с двумя последними опциями) постоянно получать сведения о предпочитаемых приложениях. Чтобы увидеть, что будет отправлено, щелкните по значку справки рядом с каждой областью. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Отметив этот пункт, вы поделитесь информацией о установке и своем оборудовании. Эта информация <b>будет отправлена только один раз</b> после завершения установки. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Отметив этот пункт, вы будете <b>периодически</b> отправлять %1 информацию о своей установке, оборудовании и приложениях. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Отметив этот пункт, вы будете <b>регулярно</b> отправлять %1 информацию о своей установке, оборудовании, приложениях и паттернах их использования. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback Отзывы @@ -3632,42 +3708,42 @@ Output: &Примечания к выпуску - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Добро пожаловать в программу установки Calamares для %1 .</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Добро пожаловать в программу установки %1 .</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Добро пожаловать в установщик Calamares для %1 .</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Добро пожаловать в программу установки %1 .</h1> - + %1 support %1 поддержка - + About %1 setup О установке %1 - + About %1 installer О программе установки %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3675,7 +3751,7 @@ Output: WelcomeQmlViewStep - + Welcome Добро пожаловать @@ -3683,7 +3759,7 @@ Output: WelcomeViewStep - + Welcome Добро пожаловать @@ -3712,6 +3788,26 @@ Output: Назад + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Назад + + keyboardq @@ -3757,6 +3853,24 @@ Output: Проверьте свою клавиатуру + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3809,27 +3923,27 @@ Output: - + About О Программе - + Support Поддержка - + Known issues Известные проблемы - + Release notes Примечания к выпуску - + Donate diff --git a/lang/calamares_sk.ts b/lang/calamares_sk.ts index bed5e96bf..e52a6422a 100644 --- a/lang/calamares_sk.ts +++ b/lang/calamares_sk.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Inštalácia - + Install Inštalácia @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Úloha zlyhala (%1) - + Programmed job failure was explicitly requested. Zlyhanie naprogramovanej úlohy bolo výlučne vyžiadané. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Hotovo @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Vzorová úloha (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Spustenie príkazu „%1“ v cieľovom systéme. - + Run command '%1'. Spustenie príkazu „%1“. - + Running command %1 %2 Spúšťa sa príkaz %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Spúšťa sa operácia %1. - + Bad working directory path Nesprávna cesta k pracovnému adresáru - + Working directory %1 for python job %2 is not readable. Pracovný adresár %1 pre úlohu jazyka python %2 nie je možné čítať. - + Bad main script file Nesprávny súbor hlavného skriptu - + Main script file %1 for python job %2 is not readable. Súbor hlavného skriptu %1 pre úlohu jazyka python %2 nie je možné čítať. - + Boost.Python error in job "%1". Chyba knižnice Boost.Python v úlohe „%1“. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Kontrola požiadaviek modulu <i>%1</i> je dokončená. + - + Waiting for %n module(s). Čaká sa na %n modul. @@ -238,7 +243,7 @@ - + (%n second(s)) (%n sekunda) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Kontrola systémových požiadaviek je dokončená. @@ -277,13 +282,13 @@ - + &Yes _Áno - + &No _Nie @@ -318,109 +323,109 @@ <br/>Nebolo možné načítať nasledujúce moduly - + Continue with setup? Pokračovať v inštalácii? - + Continue with installation? Pokračovať v inštalácii? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Inštalačný program distribúcie %1 sa chystá vykonať zmeny na vašom disku, aby nainštaloval distribúciu %2. <br/><strong>Tieto zmeny nebudete môcť vrátiť späť.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Inštalátor distribúcie %1 sa chystá vykonať zmeny na vašom disku, aby nainštaloval distribúciu %2. <br/><strong>Tieto zmeny nebudete môcť vrátiť späť.</strong> - + &Set up now &Inštalovať teraz - + &Install now &Inštalovať teraz - + Go &back Prejsť s&päť - + &Set up &Inštalovať - + &Install _Inštalovať - + Setup is complete. Close the setup program. Inštalácia je dokončená. Zavrite inštalačný program. - + The installation is complete. Close the installer. Inštalácia je dokončená. Zatvorí inštalátor. - + Cancel setup without changing the system. Zrušenie inštalácie bez zmien v systéme. - + Cancel installation without changing the system. Zruší inštaláciu bez zmeny systému. - + &Next Ď&alej - + &Back &Späť - + &Done _Dokončiť - + &Cancel &Zrušiť - + Cancel setup? Zrušiť inštaláciu? - + Cancel installation? Zrušiť inštaláciu? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Naozaj chcete zrušiť aktuálny priebeh inštalácie? Inštalačný program bude ukončený a zmeny budú stratené. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Skutočne chcete zrušiť aktuálny priebeh inštalácie? @@ -430,22 +435,22 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CalamaresPython::Helper - + Unknown exception type Neznámy typ výnimky - + unparseable Python error Neanalyzovateľná chyba jazyka Python - + unparseable Python traceback Neanalyzovateľný ladiaci výstup jazyka Python - + Unfetchable Python error. Nezískateľná chyba jazyka Python. @@ -463,32 +468,32 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CalamaresWindow - + Show debug information Zobraziť ladiace informácie - + &Back &Späť - + &Next Ď&alej - + &Cancel &Zrušiť - + %1 Setup Program Inštalačný program distribúcie %1 - + %1 Installer Inštalátor distribúcie %1 @@ -685,18 +690,18 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. CommandList - - + + Could not run command. Nepodarilo sa spustiť príkaz. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Príkaz beží v hostiteľskom prostredí a potrebuje poznať koreňovú cestu, ale nie je definovaný žiadny koreňový prípojný bod. - + The command needs to know the user's name, but no username is defined. Príkaz musí poznať meno používateľa, ale žiadne nie je definované. @@ -749,49 +754,49 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Sieťová inštalácia. (Zakázaná: Nie je možné získať zoznamy balíkov. Skontrolujte vaše sieťové pripojenie.) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Tento počítač nespĺňa minimálne požiadavky pre inštaláciu distribúcie %1.<br/>Inštalácia nemôže pokračovať. <a href="#details">Podrobnosti...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Tento počítač nespĺňa minimálne požiadavky pre inštaláciu distribúcie %1.<br/>Inštalácia nemôže pokračovať. <a href="#details">Podrobnosti...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - + This program will ask you some questions and set up %2 on your computer. Tento program vám položí niekoľko otázok a nainštaluje distribúciu %2 do vášho počítača. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Vitajte v inštalačnom programe Calamares pre distribúciu %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Vitajte v inštalačnom programe Calamares pre distribúciu %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Vitajte pri inštalácii distribúcie %1.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Vitajte pri inštalácii distribúcie %1</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Vitajte v aplikácii Calamares, inštalátore distribúcie %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Vitajte v aplikácii Calamares, inštalátore distribúcie %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Vitajte v inštalátore distribúcie %1.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Vitajte v inštalátore distribúcie %1</h1> @@ -1228,37 +1233,37 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. FillGlobalStorageJob - + Set partition information Nastaviť informácie o oddieli - + Install %1 on <strong>new</strong> %2 system partition. Inštalovať distribúciu %1 na <strong>novom</strong> %2 systémovom oddieli. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Nastaviť <strong>nový</strong> %2 oddiel s bodom pripojenia <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Inštalovať distribúciu %2 na %3 systémovom oddieli <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Nastaviť %3 oddiel <strong>%1</strong> s bodom pripojenia <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Inštalovať zavádzač do <strong>%1</strong>. - + Setting up mount points. Nastavujú sa body pripojení. @@ -1276,32 +1281,32 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. &Reštartovať teraz - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Všetko je dokončené.</h1><br/>Distribúcia %1 bola nainštalovaná do vášho počítača.<br/>Teraz môžete začať používať váš nový systém. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Keď je zaškrtnuté toto políčko, váš systém sa okamžite reštartuje po stlačení tlačidla <span style="font-style:italic;">Dokončiť</span> alebo zatvorení inštalačného programu.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Všetko je dokončené.</h1><br/>Distribúcia %1 bola nainštalovaná do vášho počítača.<br/>Teraz môžete reštartovať počítač a spustiť váš nový systém, alebo pokračovať v používaní živého prostredia distribúcie %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Keď je zaškrtnuté toto políčko, váš systém sa okamžite reštartuje po stlačení tlačidla <span style="font-style:italic;">Dokončiť</span> alebo zatvorení inštalátora.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Inštalácia zlyhala</h1><br/>Distribúcia %1 nebola nainštalovaná do vášho počítača.<br/>Chybová hláška: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Inštalácia zlyhala</h1><br/>Distribúcia %1 nebola nainštalovaná do vášho počítača.<br/>Chybová hláška: %2. @@ -1309,27 +1314,27 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. FinishedViewStep - + Finish Dokončenie - + Setup Complete Inštalácia dokončená - + Installation Complete Inštalácia dokončená - + The setup of %1 is complete. Inštalácia distribúcie %1 je dokončená. - + The installation of %1 is complete. Inštalácia distribúcie %1s je dokončená. @@ -1360,72 +1365,72 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. GeneralRequirements - + has at least %1 GiB available drive space obsahuje aspoň %1 GiB voľného miesta na disku - + There is not enough drive space. At least %1 GiB is required. Nie je dostatok miesta na disku. Vyžaduje sa aspoň %1 GiB. - + has at least %1 GiB working memory obsahuje aspoň %1 GiB voľnej operačnej pamäte - + The system does not have enough working memory. At least %1 GiB is required. Počítač neobsahuje dostatok operačnej pamäte. Vyžaduje sa aspoň %1 GiB. - + is plugged in to a power source je pripojený k zdroju napájania - + The system is not plugged in to a power source. Počítač nie je pripojený k zdroju napájania. - + is connected to the Internet je pripojený k internetu - + The system is not connected to the Internet. Počítač nie je pripojený k internetu. - + is running the installer as an administrator (root) má spustený inštalátor s právami správcu (root) - + The setup program is not running with administrator rights. Inštalačný program nie je spustený s právami správcu. - + The installer is not running with administrator rights. Inštalátor nie je spustený s právami správcu. - + has a screen large enough to show the whole installer má obrazovku dostatočne veľkú na zobrazenie celého inštalátora - + The screen is too small to display the setup program. Obrazovka je príliš malá na to, aby bolo možné zobraziť inštalačný program. - + The screen is too small to display the installer. Obrazovka je príliš malá na to, aby bolo možné zobraziť inštalátor. @@ -1773,6 +1778,16 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1911,6 +1926,19 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Nastavenie hromadného identifikátora výrobcu na <code>%1</code>. + + Offline + + + Timezone: %1 + Časová zóna: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Aby bolo možné vybrať časovú zónu, uistite sa, že ste pripojený k internetu. Po pripojení reštartujte inštalátor. Nižšie môžete upresniť nastavenia jazyka a miestne nastavenia. + + PWQ @@ -2498,107 +2526,107 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. Oddiely - + Install %1 <strong>alongside</strong> another operating system. Inštalácia distribúcie %1 <strong>popri</strong> inom operačnom systéme. - + <strong>Erase</strong> disk and install %1. <strong>Vymazanie</strong> disku a inštalácia distribúcie %1. - + <strong>Replace</strong> a partition with %1. <strong>Nahradenie</strong> oddielu distribúciou %1. - + <strong>Manual</strong> partitioning. <strong>Ručné</strong> rozdelenie oddielov. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Inštalácia distribúcie %1 <strong>popri</strong> inom operačnom systéme na disku <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Vymazanie</strong> disku <strong>%2</strong> (%3) a inštalácia distribúcie %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Nahradenie</strong> oddielu na disku <strong>%2</strong> (%3) distribúciou %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Ručné</strong> rozdelenie oddielov na disku <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Teraz: - + After: Potom: - + No EFI system partition configured Nie je nastavený žiadny oddiel systému EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Oddiel systému EFI je potrebný pre spustenie distribúcie %1.<br/><br/>Na nastavenie oddielu systému EFI prejdite späť a vyberte, alebo vytvorte systém súborov FAT32 s povoleným príznakom <strong>%3</strong> a bod pripojenia <strong>%2</strong>.<br/><br/>Môžete pokračovať bez nastavenia oddielu systému EFI, ale váš systém môže pri spustení zlyhať. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Oddiel systému EFI je potrebný pre spustenie distribúcie %1.<br/><br/>Oddiel bol nastavený s bodom pripojenia <strong>%2</strong>, ale nemá nastavený príznak <strong>%3</strong>.<br/>Na nastavenie príznaku prejdite späť a upravte oddiel.<br/><br/>Môžete pokračovať bez nastavenia príznaku, ale váš systém môže pri spustení zlyhať. - + EFI system partition flag not set Príznak oddielu systému EFI nie je nastavený - + Option to use GPT on BIOS Voľba na použitie tabuľky GPT s BIOSom - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Tabuľka oddielov GPT je najlepšou voľbou pre všetky systémy. Inštalátor podporuje taktiež inštaláciu pre systémy s BIOSom.<br/><br/>Pre nastavenie tabuľky oddielov GPT s BIOSom, (ak ste tak už neučinili) prejdite späť a nastavte tabuľku oddielov na GPT, a potom vytvorte nenaformátovaný oddiel o veľkosti 8 MB s povoleným príznakom <strong>bios_grub</strong>.<br/><br/>Nenaformátovaný oddiel o veľkosti 8 MB je potrebný na spustenie distribúcie %1 na systéme s BIOSom a tabuľkou GPT. - + Boot partition not encrypted Zavádzací oddiel nie je zašifrovaný - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Spolu so zašifrovaným koreňovým oddielom bol nainštalovaný oddelený zavádzací oddiel, ktorý ale nie je zašifrovaný.<br/><br/>S týmto typom inštalácie je ohrozená bezpečnosť, pretože dôležité systémové súbory sú uchovávané na nezašifrovanom oddieli.<br/>Ak si to želáte, môžete pokračovať, ale neskôr, počas spúšťania systému sa vykoná odomknutie systému súborov.<br/>Na zašifrovanie zavádzacieho oddielu prejdite späť a vytvorte ju znovu vybraním voľby <strong>Zašifrovať</strong> v okne vytvárania oddielu. - + has at least one disk device available. má dostupné aspoň jedno diskové zariadenie. - + There are no partitions to install on. Neexistujú žiadne oddiely, na ktoré je možné vykonať inštaláciu. @@ -2664,14 +2692,14 @@ Inštalátor sa ukončí a všetky zmeny budú stratené. ProcessResult - + There was no output from the command. Žiadny výstup z príkazu. - + Output: @@ -2680,52 +2708,52 @@ Výstup: - + External command crashed. Externý príkaz nečakane skončil. - + Command <i>%1</i> crashed. Príkaz <i>%1</i> nečakane skončil. - + External command failed to start. Zlyhalo spustenie externého príkazu. - + Command <i>%1</i> failed to start. Zlyhalo spustenie príkazu <i>%1</i> . - + Internal error when starting command. Počas spúšťania príkazu sa vyskytla interná chyba. - + Bad parameters for process job call. Nesprávne parametre pre volanie úlohy procesu. - + External command failed to finish. Zlyhalo dokončenie externého príkazu. - + Command <i>%1</i> failed to finish in %2 seconds. Zlyhalo dokončenie príkazu <i>%1</i> počas doby %2 sekúnd. - + External command finished with errors. Externý príkaz bol dokončený s chybami. - + Command <i>%1</i> finished with exit code %2. Príkaz <i>%1</i> skončil s ukončovacím kódom %2. @@ -2733,32 +2761,27 @@ Výstup: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Kontrola požiadaviek modulu <i>%1</i> je dokončená. - - - + unknown neznámy - + extended rozšírený - + unformatted nenaformátovaný - + swap odkladací @@ -2812,6 +2835,16 @@ Výstup: Nerozdelené miesto alebo neznáma tabuľka oddielov + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/> +  Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané.</p> + + RemoveUserJob @@ -2847,73 +2880,90 @@ Výstup: Forma - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Vyberte, kam sa má nainštalovať distribúcia %1.<br/><font color="red">Upozornenie: </font>týmto sa odstránia všetky súbory na vybranom oddieli. - + The selected item does not appear to be a valid partition. Zdá sa, že vybraná položka nie je platným oddielom. - + %1 cannot be installed on empty space. Please select an existing partition. Distribúcia %1 sa nedá nainštalovať na prázdne miesto. Prosím, vyberte existujúci oddiel. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. Distribúcia %1 sa nedá nainštalovať na rozšírený oddiel. Prosím, vyberte existujúci primárny alebo logický oddiel. - + %1 cannot be installed on this partition. Distribúcia %1 sa nedá nainštalovať na tento oddiel. - + Data partition (%1) Údajový oddiel (%1) - + Unknown system partition (%1) Neznámy systémový oddiel (%1) - + %1 system partition (%2) Systémový oddiel operačného systému %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Oddiel %1 je príliš malý pre distribúciu %2. Prosím, vyberte oddiel s kapacitou aspoň %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Oddiel systému EFI sa nedá v tomto počítači nájsť. Prosím, prejdite späť a použite ručné rozdelenie oddielov na inštaláciu distribúcie %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>Distribúcia %1 bude nainštalovaná na oddiel %2.<br/><font color="red">Upozornenie: </font>všetky údaje na oddieli %2 budú stratené. - + The EFI system partition at %1 will be used for starting %2. Oddiel systému EFI na %1 bude použitý pre spustenie distribúcie %2. - + EFI system partition: Oddiel systému EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Tento počítač nespĺňa minimálne požiadavky pre inštaláciu distribúcie %1.<br/> +  Inštalácia nemôže pokračovať.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/> +  Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. + + ResizeFSJob @@ -3036,12 +3086,12 @@ Výstup: ResultsListDialog - + For best results, please ensure that this computer: Pre čo najlepší výsledok, sa prosím, uistite, že tento počítač: - + System requirements Systémové požiadavky @@ -3049,27 +3099,27 @@ Výstup: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Tento počítač nespĺňa minimálne požiadavky pre inštaláciu distribúcie %1.<br/>Inštalácia nemôže pokračovať. <a href="#details">Podrobnosti...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Tento počítač nespĺňa minimálne požiadavky pre inštaláciu distribúcie %1.<br/>Inštalácia nemôže pokračovať. <a href="#details">Podrobnosti...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Tento počítač nespĺňa niektoré z odporúčaných požiadaviek pre inštaláciu distribúcie %1.<br/>Inštalácia môže pokračovať, ale niektoré funkcie môžu byť zakázané. - + This program will ask you some questions and set up %2 on your computer. Tento program vám položí niekoľko otázok a nainštaluje distribúciu %2 do vášho počítača. @@ -3352,51 +3402,80 @@ Výstup: TrackingInstallJob - + Installation feedback Spätná väzba inštalácie - + Sending installation feedback. Odosiela sa spätná väzba inštalácie. - + Internal error in install-tracking. Interná chyba príkazu install-tracking. - + HTTP request timed out. Požiadavka HTTP vypršala. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Spätná väzba počítača - + Configuring machine feedback. Nastavuje sa spätná väzba počítača. - - + + Error in machine feedback configuration. Chyba pri nastavovaní spätnej väzby počítača. - + Could not configure machine feedback correctly, script error %1. Nepodarilo sa správne nastaviť spätnú väzbu počítača. Chyba skriptu %1. - + Could not configure machine feedback correctly, Calamares error %1. Nepodarilo sa správne nastaviť spätnú väzbu počítača. Chyba inštalátora Calamares %1. @@ -3415,8 +3494,8 @@ Výstup: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Výberom tejto voľby neodošlete <span style=" font-weight:600;">žiadne informácie</span> o vašej inštalácii.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3424,30 +3503,30 @@ Výstup: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Kliknutím sem získate viac informácií o spätnej väzbe od používateľa</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Inštalácia sledovania pomáha distribúcii %1 vidieť, koľko používateľov ju používa, na akom hardvéri inštalujú distribúciu %1 a (s poslednými dvoma voľbami nižšie) získavať nepretržité informácie o uprednostňovaných aplikáciách. Na zobrazenie, čo bude odosielané, prosím, kliknite na ikonu pomocníka vedľa každej oblasti. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Vybraním tejto voľby odošlete informácie o vašej inštalácii a hardvéri. Tieto informácie budú <b>odoslané iba raz</b> po dokončení inštalácie. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Vybraním tejto voľby odošlete informácie o vašej inštalácii a hardvéri. Tieto informácie budú odoslané <b>iba raz</b> po dokončení inštalácie. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Vybraním tejto voľby budete <b>pravidelne</b> odosielať informácie o vašej inštalácii, hardvéri a aplikáciách distribúcii %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Vybraním tejto voľby budete pravidelne odosielať informácie o vašom <b>počítači</b>, inštalácii, hardvéri a aplikáciách distribúcii %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Vybraním tejto voľby budete <b>neustále</b> odosielať informácie o vašej inštalácii, hardvéri, aplikáciách a charakteristike používania distribúcii %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Vybraním tejto voľby budete neustále odosielať informácie o vašej <b>používateľskej</b> inštalácii, hardvéri, aplikáciách a charakteristike používania distribúcii %1. TrackingViewStep - + Feedback Spätná väzba @@ -3633,42 +3712,42 @@ Výstup: &Poznámky k vydaniu - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Vitajte v inštalačnom programe Calamares pre distribúciu %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Vitajte pri inštalácii distribúcie %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Vitajte v aplikácii Calamares, inštalátore distribúcie %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Vitajte v inštalátore distribúcie %1.</h1> - + %1 support Podpora distribúcie %1 - + About %1 setup O inštalátore %1 - + About %1 installer O inštalátore %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>pre %3</strong><br/><br/>Autorské práva 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Autorské práva 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Poďakovanie patrí <a href="https://calamares.io/team/">tímu inštalátora Calamares</a> a <a href="https://www.transifex.com/calamares/calamares/">prekladateľskému tímu inštalátora Calamares</a>.<br/><br/>Vývoj inštalátora <a href="https://calamares.io/">Calamares</a> je sponzorovaný spoločnosťou <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - oslobodzujúci softvér. @@ -3676,7 +3755,7 @@ Výstup: WelcomeQmlViewStep - + Welcome Uvítanie @@ -3684,7 +3763,7 @@ Výstup: WelcomeViewStep - + Welcome Uvítanie @@ -3723,6 +3802,26 @@ Výstup: Späť + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Späť + + keyboardq @@ -3768,6 +3867,24 @@ Výstup: Vyskúšajte vašu klávesnicu + + localeq + + + System language set to %1 + Jazyk systému bol nastavený na %1 + + + + Numbers and dates locale set to %1 + Miestne nastavenie čísel a dátumov boli nastavené na %1. + + + + Change + Zmeniť + + notesqml @@ -3821,27 +3938,27 @@ Výstup: <p>Tento program vám položí niekoľko otázok a nainštaluje distribúciu %1 do vášho počítača.</p> - + About O inštalátore - + Support Podpora - + Known issues Známe problémy - + Release notes Poznámky k vydaniu - + Donate Prispieť diff --git a/lang/calamares_sl.ts b/lang/calamares_sl.ts index 56838a558..ef1eac5fb 100644 --- a/lang/calamares_sl.ts +++ b/lang/calamares_sl.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Namesti @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Končano @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path Nepravilna pot delovne mape - + Working directory %1 for python job %2 is not readable. Ni mogoče brati delovne mape %1 za pythonovo opravilo %2. - + Bad main script file Nepravilna datoteka glavnega skripta - + Main script file %1 for python job %2 is not readable. Ni mogoče brati datoteke %1 glavnega skripta za pythonovo opravilo %2. - + Boost.Python error in job "%1". Napaka Boost.Python v opravilu "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -238,7 +243,7 @@ - + (%n second(s)) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. @@ -277,13 +282,13 @@ - + &Yes - + &No @@ -318,108 +323,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Naprej - + &Back &Nazaj - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? Preklic namestitve? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Ali res želite preklicati trenutni namestitveni proces? @@ -429,22 +434,22 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CalamaresPython::Helper - + Unknown exception type Neznana vrsta izjeme - + unparseable Python error nerazčlenljiva napaka Python - + unparseable Python traceback - + Unfetchable Python error. @@ -461,32 +466,32 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CalamaresWindow - + Show debug information - + &Back &Nazaj - + &Next &Naprej - + &Cancel - + %1 Setup Program - + %1 Installer %1 Namestilnik @@ -683,18 +688,18 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -747,48 +752,48 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1226,37 +1231,37 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. FillGlobalStorageJob - + Set partition information Nastavi informacije razdelka - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1274,32 +1279,32 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1307,27 +1312,27 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. FinishedViewStep - + Finish Končano - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1358,72 +1363,72 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source je priklopljen na vir napajanja - + The system is not plugged in to a power source. - + is connected to the Internet je povezan s spletom - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1771,6 +1776,16 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1909,6 +1924,19 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2496,107 +2524,107 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. Razdelki - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: Potem: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2662,65 +2690,65 @@ Namestilni program se bo končal in vse spremembe bodo izgubljene. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Nepravilni parametri za klic procesa opravila. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2728,32 +2756,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2807,6 +2830,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Output: Oblika - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Za najboljše rezultate se prepričajte, da vaš računalnik izpolnjuje naslednje zahteve: - + System requirements @@ -3044,27 +3091,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3347,51 +3394,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3410,7 +3486,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3419,30 +3495,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3628,42 +3704,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Output: WelcomeQmlViewStep - + Welcome Dobrodošli @@ -3679,7 +3755,7 @@ Output: WelcomeViewStep - + Welcome Dobrodošli @@ -3708,6 +3784,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3753,6 +3849,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3804,27 +3918,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_sq.ts b/lang/calamares_sq.ts index cbbc2e9d9..0ffbae6e4 100644 --- a/lang/calamares_sq.ts +++ b/lang/calamares_sq.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Ujdise - + Install Instalim @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Akti dështoi (%1) - + Programmed job failure was explicitly requested. Dështimi i programuar i aktit qe kërkuar shprehimisht. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done U bë @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Shembull akti (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Xhiroje urdhrin '%1' te sistemi i synuar. - + Run command '%1'. Xhiro urdhrin '%1'. - + Running command %1 %2 Po xhirohet urdhri %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Po xhirohet %1 veprim. - + Bad working directory path Shteg i gabuar drejtorie pune - + Working directory %1 for python job %2 is not readable. Drejtoria e punës %1 për aktin python %2 s’është e lexueshme. - + Bad main script file Kartelë kryesore programthi e dëmtuar - + Main script file %1 for python job %2 is not readable. Kartela kryesore e programthit file %1 për aktin python %2 s’është e lexueshme. - + Boost.Python error in job "%1". Gabim Boost.Python tek akti \"%1\". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Kontrolli i domosdoshmërive për modulin <i>%1</i> u plotësua. + - + Waiting for %n module(s). Po pritet për %n modul(e). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n sekondë(a)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Kontrolli i domosdoshmërive të sistemit u plotësua. @@ -273,13 +278,13 @@ - + &Yes &Po - + &No &Jo @@ -314,109 +319,109 @@ <br/>S’u ngarkuan dot modulet vijues: - + Continue with setup? Të vazhdohet me rregullimin? - + Continue with installation? Të vazhdohet me instalimin? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Programi i rregullimit %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të rregullojë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Instaluesi %1 është një hap larg nga bërja e ndryshimeve në diskun tuaj, që të mund të instalojë %2.<br/><strong>S’do të jeni në gjendje t’i zhbëni këto ndryshime.</strong> - + &Set up now &Rregulloje tani - + &Install now &Instaloje tani - + Go &back Kthehu &mbrapsht - + &Set up &Rregulloje - + &Install &Instaloje - + Setup is complete. Close the setup program. Rregullimi është i plotë. Mbylleni programin e rregullimit. - + The installation is complete. Close the installer. Instalimi u plotësua. Mbylleni instaluesin. - + Cancel setup without changing the system. Anuloje rregullimin pa ndryshuar sistemin. - + Cancel installation without changing the system. Anuloje instalimin pa ndryshuar sistemin. - + &Next Pas&uesi - + &Back &Mbrapsht - + &Done &U bë - + &Cancel &Anuloje - + Cancel setup? Të anulohet rregullimi? - + Cancel installation? Të anulohet instalimi? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Doni vërtet të anulohet procesi i tanishëm i rregullimit? Programi i rregullimit do të mbyllet dhe krejt ndryshimet do të humbin. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Doni vërtet të anulohet procesi i tanishëm i instalimit? @@ -426,22 +431,22 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CalamaresPython::Helper - + Unknown exception type Lloj i panjohur përjashtimi - + unparseable Python error gabim kodi Python të papërtypshëm - + unparseable Python traceback <i>traceback</i> Python i papërtypshëm - + Unfetchable Python error. Gabim Python mosprurjeje kodi. @@ -459,32 +464,32 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CalamaresWindow - + Show debug information Shfaq të dhëna diagnostikimi - + &Back &Mbrapsht - + &Next Pas&uesi - + &Cancel &Anuloje - + %1 Setup Program Programi i Rregullimit të %1 - + %1 Installer Instalues %1 @@ -681,18 +686,18 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. CommandList - - + + Could not run command. S’u xhirua dot urdhri. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Urdhri xhirohet në mjedisin strehë dhe është e nevojshme të dijë shtegun për rrënjën, por nuk ka rootMountPoint të përcaktuar. - + The command needs to know the user's name, but no username is defined. Urdhri lypset të dijë emrin e përdoruesit, por s’ka të përcaktuar emër përdoruesi. @@ -745,49 +750,49 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Instalim Nga Rrjeti. (U çaktivizua: S’arrihet të sillen lista paketash, kontrolloni lidhjen tuaj në rrjet) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ky kompjuter s’i plotëson kërkesat minimum për rregullimin e %1.<br/>Rregullimi s’mund të vazhdojë. <a href=\"#details\">Hollësi…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ky kompjuter s’i plotëson kërkesat minimum për instalimin e %1.<br/>Instalimi s’mund të vazhdojë. <a href=\"#details\">Hollësi…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Ky kompjuter s’i plotëson disa nga domosdoshmëritë e rekomanduara për rregullimin e %1.<br/>Rregullimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ky kompjuter s’i plotëson disa nga domosdoshmëritë e rekomanduara për instalimin e %1.<br/>Instalimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - + This program will ask you some questions and set up %2 on your computer. Ky program do t’ju bëjë disa pyetje dhe do të rregullojë %2 në kompjuterin tuaj. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Mirë se vini te programi i rregullimit Calamares për %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Mirë se vini te programi i ujdisjes së Calamares për</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Mirë se vini te rregullimi i %1.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Mirë se vini te udjisja e %1</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Mirë se vini te instaluesi Calamares për %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Mirë se vini te instaluesi Calamares për %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Mirë se vini te instaluesi i %1.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Mirë se vini te instaluesi i %1</h1> @@ -1224,37 +1229,37 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. FillGlobalStorageJob - + Set partition information Caktoni të dhëna pjese - + Install %1 on <strong>new</strong> %2 system partition. Instaloje %1 në pjesë sistemi <strong>të re</strong> %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Rregullo pjesë të <strong>re</strong> %2 me pikë montimi <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Instaloje %2 te pjesa e sistemit %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Rregullo pjesë %3 <strong>%1</strong> me pikë montimi <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Instalo ngarkues nisjesh në <strong>%1</strong>. - + Setting up mount points. Po rregullohen pika montimesh. @@ -1272,32 +1277,32 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. &Rinise tani - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Kaq qe.</h1><br/>%1 u rregullua në kompjuterin tuaj.<br/>Tani mundeni të filloni të përdorni sistemin tuaj të ri. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Kur i vihet shenjë kësaj kutie, sistemi juaj do të riniset menjëherë, kur klikoni mbi <span style=" font-style:italic;">U bë</span> ose mbyllni programin e rregullimit.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Kaq qe.</h1><br/>%1 është instaluar në kompjuterin tuaj.<br/>Tani mundeni ta rinisni me sistemin tuaj të ri, ose të vazhdoni përdorimin e mjedisit %2 Live. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Kur i vihet shenjë kësaj kutie, sistemi juaj do të riniset menjëherë, kur klikoni mbi <span style=" font-style:italic;">U bë</span> ose mbyllni instaluesin.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Rregullimi Dështoi</h1><br/>%1 s’u rregullua në kompjuterin tuaj.<br/>Mesazhi i gabimit qe: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Instalimi Dështoi</h1><br/>%1 s’u instalua në kompjuterin tuaj.<br/>Mesazhi i gabimit qe: %2. @@ -1305,27 +1310,27 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. FinishedViewStep - + Finish Përfundim - + Setup Complete Rregullim i Plotësuar - + Installation Complete Instalimi u Plotësua - + The setup of %1 is complete. Rregullimi i %1 u plotësua. - + The installation of %1 is complete. Instalimi i %1 u plotësua. @@ -1356,72 +1361,72 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. GeneralRequirements - + has at least %1 GiB available drive space ka të paktën %1 GiB hapësirë të përdorshme - + There is not enough drive space. At least %1 GiB is required. S’ka hapësirë të mjaftueshme. Lypset të paktën %1 GiB. - + has at least %1 GiB working memory ka të paktën %1 GiB kujtesë të përdorshme - + The system does not have enough working memory. At least %1 GiB is required. Sistemi s’ka kujtesë të mjaftueshme për të punuar. Lypsen të paktën %1 GiB. - + is plugged in to a power source është në prizë - + The system is not plugged in to a power source. Sistemi s'është i lidhur me ndonjë burim rryme. - + is connected to the Internet është lidhur në Internet - + The system is not connected to the Internet. Sistemi s’është i lidhur në Internet. - + is running the installer as an administrator (root) po e xhiron instaluesin si një përgjegjës (rrënjë) - + The setup program is not running with administrator rights. Programi i rregullimit nuk po xhirohen me të drejta përgjegjësi. - + The installer is not running with administrator rights. Instaluesi s’po xhirohet me të drejta përgjegjësi. - + has a screen large enough to show the whole installer ka një ekran të mjaftueshëm për të shfaqur krejt instaluesin - + The screen is too small to display the setup program. Ekrani është shumë i vogël për të shfaqur programin e rregullimit. - + The screen is too small to display the installer. Ekrani është shumë i vogël për shfaqjen e instaluesit. @@ -1769,6 +1774,16 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. S’është caktuar pikë montimi rrënjë për MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Ju lutemi, përzgjidhni në hartë vendin tuaj të parapëlqyer, që kështu instaluesi të mund të sugjerojë për ju vendoren dhe rregullime zone kohore. Rregullimet e sugjeruara mund të përimtoni më poshtë. Kërkoni në hartë duke tërhequr, për lëvizje, dhe duke përdorur butonat +/- për zmadhim/zvogëlim, ose përdorni rrëshqitje me miun, për zmadhim/zvogëlim. + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Caktoni Identifikues partie OEM si <code>%1</code>. + + Offline + + + Timezone: %1 + Zonë kohore: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Për të qenë në gjendje të përzgjidhni një zonë kohore, sigurohuni se jeni i lidhur në internet. Riniseni instaluesin pas lidhjes. Gjuhën dhe Vendoren tuaj mund t’i përimtoni te rregullimet më poshtë. + + PWQ @@ -2494,107 +2522,107 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. Pjesë - + Install %1 <strong>alongside</strong> another operating system. Instalojeni %1 <strong>në krah</strong> të një tjetër sistemi operativ. - + <strong>Erase</strong> disk and install %1. <strong>Fshije</strong> diskun dhe instalo %1. - + <strong>Replace</strong> a partition with %1. <strong>Zëvendësojeni</strong> një pjesë me %1. - + <strong>Manual</strong> partitioning. Pjesëtim <strong>dorazi</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Instaloje %1 <strong>në krah</strong> të një tjetri sistemi operativ në diskun <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Fshije</strong> diskun <strong>%2</strong> (%3) dhe instalo %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Zëvendëso</strong> një pjesë te disku <strong>%2</strong> (%3) me %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Pjesëtim <strong>dorazi</strong> në diskun <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disku <strong>%1</strong> (%2) - + Current: E tanishmja: - + After: Më Pas: - + No EFI system partition configured S’ka të formësuar pjesë sistemi EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Një pjesë EFI sistemi është e nevojshme për nisjen e %1.<br/><br/>Që të formësoni një pjesë EFI sistemi, kthehuni mbrapsht dhe përzgjidhni ose krijoni një sistem kartelash FAT32 me parametrin <strong>%3</strong> të aktivizuar dhe me pikë montimi <strong>%2</strong>.<br/><br/>Mund të vazhdoni pa ujdisur një pjesë EFI sistemi, por nisja nën sistemi juaj mund të dështojë. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Një pjesë EFI sistemi është e nevojshme për nisjen e %1.<br/><br/>Qe formësuar një pikë montimi <strong>%2</strong>, por parametri <strong>%3</strong> për të s’është ujdisur.<br/>Për të ujdisur parametrin, kthehuni mbrapsht dhe përpunoni pjesën.<br/><br/>Mund të vazhdoni pa ujdisur një pjesë EFI sistemi, por nisja nën sistemin tuaj mund të dështojë. - + EFI system partition flag not set S’i është vënë parametër pjese EFI sistemi - + Option to use GPT on BIOS Mundësi për përdorim GTP-je në BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Një tabelë pjesësh GPT është mundësia më e mirë për krejt sistemet. Ky instalues mbulon gjithashtu një ujdisje të tillë edhe për sisteme BIOS.<br/><br/>Që të formësoni një tabelë pjesësh GPT në BIOS, (nëse s’është bërë ende) kthehuni dhe ujdiseni tabelën e pjesëve si GPT, më pas krijoni një ndarje të paformatuar 8 MB me shenjën <strong>bios_grub</strong> të aktivizuar.<br/><br/>Një pjesë e paformatuar 8 MB është e nevojshme për të nisur %1 në një sistem BIOS me GPT. - + Boot partition not encrypted Pjesë nisjesh e pafshehtëzuar - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Tok me pjesën e fshehtëzuar <em>root</em> qe rregulluar edhe një pjesë <em>boot</em> veçmas, por pjesa <em>boot</em> s’është e fshehtëzuar.<br/><br/>Ka preokupime mbi sigurinë e këtij lloj rregullimi, ngaqë kartela të rëndësishme sistemi mbahen në një pjesë të pafshehtëzuar.<br/>Mund të vazhdoni, nëse doni, por shkyçja e sistemit të kartelave do të ndodhë më vonë, gjatë nisjes së sistemit.<br/>Që të fshehtëzoni pjesën <em>boot</em>, kthehuni mbrapsht dhe rikrijojeni, duke përzgjedhur te skena e krijimit të pjesës <strong>Fshehtëzoje</strong>. - + has at least one disk device available. ka të paktën një pajisje disku për përdorim. - + There are no partitions to install on. S’ka pjesë ku të instalohet. @@ -2660,14 +2688,14 @@ Instaluesi do të mbyllet dhe krejt ndryshimet do të hidhen tej. ProcessResult - + There was no output from the command. S’pati përfundim nga urdhri. - + Output: @@ -2676,52 +2704,52 @@ Përfundim: - + External command crashed. Urdhri i jashtëm u vithis. - + Command <i>%1</i> crashed. Urdhri <i>%1</i> u vithis. - + External command failed to start. Dështoi nisja e urdhrit të jashtëm. - + Command <i>%1</i> failed to start. Dështoi nisja e urdhrit <i>%1</i>. - + Internal error when starting command. Gabim i brendshëm kur niset urdhri. - + Bad parameters for process job call. Parametra të gabuar për thirrje akti procesi. - + External command failed to finish. S’u arrit të përfundohej urdhër i jashtëm. - + Command <i>%1</i> failed to finish in %2 seconds. Urdhri <i>%1</i> s’arriti të përfundohej në %2 sekonda. - + External command finished with errors. Urdhri i jashtë përfundoi me gabime. - + Command <i>%1</i> finished with exit code %2. Urdhri <i>%1</i> përfundoi me kod daljeje %2. @@ -2729,32 +2757,27 @@ Përfundim: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Kontrolli i domosdoshmërive për modulin <i>%1</i> u plotësua. - - - + unknown e panjohur - + extended extended - + unformatted e paformatuar - + swap swap @@ -2808,6 +2831,16 @@ Përfundim: Hapësirë e papjesëtuar ose tabelë e panjohur pjesësh + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Ky kompjuter s’plotëson disa nga domosdoshmëritë e rekomanduara për ujdisjen e %1.<br/> + Ujdisja mund të vazhdohet, por disa veçori mund të jenë të çaktivizuara.</p> + + RemoveUserJob @@ -2843,73 +2876,90 @@ Përfundim: Formular - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Përzgjidhni ku të instalohet %1.<br/><font color=\"red\">Kujdes: </font>kjo do të sjellë fshirjen e krejt kartelave në pjesën e përzgjedhur. - + The selected item does not appear to be a valid partition. Objekti i përzgjedhur s’duket se është pjesë e vlefshme. - + %1 cannot be installed on empty space. Please select an existing partition. %1 s’mund të instalohet në hapësirë të zbrazët. Ju lutemi, përzgjidhni një pjesë ekzistuese. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 s’mund të instalohet në një pjesë të llojit “extended”. Ju lutemi, përzgjidhni një pjesë parësore ose logjike ekzistuese. - + %1 cannot be installed on this partition. %1 s’mund të instalohet në këtë pjesë. - + Data partition (%1) Pjesë të dhënash (%1) - + Unknown system partition (%1) Pjesë sistemi e panjohur (%1) - + %1 system partition (%2) Pjesë sistemi %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Ndarja %1 është shumë e vogël për %2. Ju lutemi, përzgjidhni një pjesë me kapacitet të paktën %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Në këtë sistem s’gjendet dot ndonjë pjesë sistemi EFI. Ju lutemi, që të rregulloni %1, kthehuni mbrapsht dhe përdorni procesin e pjesëtimit dorazi. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 do të instalohet në %2.<br/><font color=\"red\">Kujdes: </font>krejt të dhënat në pjesën %2 do të humbin. - + The EFI system partition at %1 will be used for starting %2. Për nisjen e %2 do të përdoret pjesa EFI e sistemit te %1. - + EFI system partition: Pjesë Sistemi EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Ky kompjuter nuk plotëson domosdoshmëritë minimum për instalimin e %1.<br/> + Instalimi s’mund të vazhdojë.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Ky kompjuter s’plotëson disa nga domosdoshmëritë e rekomanduara për ujdisjen e %1.<br/> + Ujdisja mund të vazhdohet, por disa veçori mund të jenë të çaktivizuara.</p> + + ResizeFSJob @@ -3032,12 +3082,12 @@ Përfundim: ResultsListDialog - + For best results, please ensure that this computer: Për përfundime më të mira, ju lutemi, garantoni që ky kompjuter: - + System requirements Sistem i domosdoshëm @@ -3045,27 +3095,27 @@ Përfundim: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Ky kompjuter s’i plotëson kërkesat minimum për rregullimin e %1.<br/>Rregullimi s’mund të vazhdojë. <a href=\"#details\">Hollësi…</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Ky kompjuter s’i plotëson kërkesat minimum për instalimin e %1.<br/>Instalimi s’mund të vazhdojë. <a href=\"#details\">Hollësi…</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Ky kompjuter s’i plotëson disa nga domosdoshmëritë e rekomanduara për rregullimin e %1.<br/>Rregullimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Ky kompjuter s’i plotëson disa nga domosdoshmëritë e rekomanduara për instalimin e %1.<br/>Instalimi mund të vazhdojë, por disa veçori mund të përfundojnë të çaktivizuara. - + This program will ask you some questions and set up %2 on your computer. Ky program do t’ju bëjë disa pyetje dhe do të rregullojë %2 në kompjuterin tuaj. @@ -3348,51 +3398,80 @@ Përfundim: TrackingInstallJob - + Installation feedback Përshtypje mbi instalimin - + Sending installation feedback. Po dërgohen përshtypjet mbi instalimin. - + Internal error in install-tracking. Gabim i brendshëm në shquarjen e instalimit. - + HTTP request timed out. Kërkesës HTTP i mbaroi koha. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + Përshtypje nga përdorues të KDE-së + + + + Configuring KDE user feedback. + Formësim përshtypjesh nga përdorues të KDE-së. + + + + + Error in KDE user feedback configuration. + Gabim në formësimin e përshtypjeve nga përdorues të KDE-së. + - + + Could not configure KDE user feedback correctly, script error %1. + Përshtypjet nga përdorues të KDE-së s’u formësuan dot saktë, gabim programthi %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + S’u formësuan dot saktë përshtypjet nga përdorues të KDE-së, gabim Calamares %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Të dhëna nga makina - + Configuring machine feedback. Po formësohet moduli Të dhëna nga makina. - - + + Error in machine feedback configuration. Gabim në formësimin e modulit Të dhëna nga makina. - + Could not configure machine feedback correctly, script error %1. S’u formësua dot si duhet moduli Të dhëna nga makina, gabim programthi %1. - + Could not configure machine feedback correctly, Calamares error %1. S’u formësua dot si duhet moduli Të dhëna nga makina, gabim Calamares %1. @@ -3411,8 +3490,8 @@ Përfundim: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Duke përzgjedhur këtë, <span style=" font-weight:600;">s’do të dërgoni fare të dhëna</span> rreth instalimit tuaj.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Klikoni këtu që të mos dërgohet <span style=" font-weight:600;">fare informacion</span> mbi instalimin tuaj.</p></body></html> @@ -3420,30 +3499,30 @@ Përfundim: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Për më tepër të dhëna rreth përshtypjeve të përdoruesit, klikoni këtu</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Instalimi i gjurmimit e ndihmon %1 të shohë se sa përdorues ka, në çfarë hardware-i e instalojnë %1 dhe (përmes dy mundësive të fundit më poshtë), të marrë të dhëna të vazhdueshme rre aplikacioneve të parapëlqyera. Që të shihni se ç’dërgohet, ju lutemi, klikoni ikonën e ndihmës në krah të çdo fushe. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + Gjurmimi e ndihmon %1 të shoë se sa shpesh është instaluar, në çfarë hardware-i është instaluar dhe cilët aplikacione janë përdorur. Që të shihni se ç’do të dërgohet, ju lutemi, klikoni mbi ikonën e nidhmës në krah të secilës fushë. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Duke përzgjedhur këtë, do të dërgoni të dhëna mbi instalimin dhe hardware-in tuaj. Këto të dhëna do të <b>dërgohen vetëm një herë</b>, pasi të përfundojë instalimi. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Duke përzgjedhur këtë, do të dërgoni informacion rreth instalimit dhe hardware-it tuaj. Ky informacion do të dërgohet vetëm <b>një herë</b>, pasi të përfundojë instalimi. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Duke përzgjedhur këtë, do të dërgoni <b>periodikisht</b> te %1 të dhëna mbi instalimin, hardware-in dhe aplikacionet tuaja. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Duke përzgjedhur këtë, do të dërgoni periodikisht te %1 informacion rreth instalimit, hardware-it dhe aplikacioneve të <b>makinës</b> tuaj. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Duke përzgjedhur këtë, do të dërgoni <b>rregullisht</b> te %1 të dhëna mbi instalimin, hardware-in, aplikacionet dhe rregullsitë tuaja në përdorim. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Duke përzgjedhur këtë, do të dërgoni rregullisht te %1 informacion rreth instalimit tuaj si <b>përdorues</b>, hardware-it, aplikacioneve dhe rregullsive në përdorimin e aplikacioneve. TrackingViewStep - + Feedback Përshtypje @@ -3629,42 +3708,42 @@ Përfundim: Shënime &versioni - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Mirë se vini te programi i rregullimit Calamares për %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Mirë se vini te rregullimi i %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Mirë se vini te instaluesi Calamares për %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Mirë se vini te instaluesi i %1.</h1> - + %1 support Asistencë %1 - + About %1 setup Mbi rregullimin e %1 - + About %1 installer Rreth instaluesit %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>për %3</strong><br/><br/>Të drejta kopjimi 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Të drejta kopjimi 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Falënderime për <a href="https://calamares.io/team/">ekipin e Calamares</a> dhe <a href="https://www.transifex.com/calamares/calamares/">ekipin e përkthyesve të Calamares</a>.<br/><br/>Zhvillimi i <a href="https://calamares.io/">Calamares</a> sponsorizohet nga <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3672,7 +3751,7 @@ Përfundim: WelcomeQmlViewStep - + Welcome Mirë se vini @@ -3680,7 +3759,7 @@ Përfundim: WelcomeViewStep - + Welcome Mirë se vini @@ -3720,6 +3799,28 @@ Përfundim: Mbrapsht + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Gjuhë</h1> </br> + Vlera për vendoren e sistemit prek gjuhën dhe shkronjat e përdorura për disa elementë të ndërfaqes rresh urdhrash të përdoruesit. Vlera e tanishme është <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Vendore</h1> </br> + Vlera për vendoren e sistemit prek gjuhën dhe shkronjat e përdorura për disa elementë të ndërfaqes rresh urdhrash të përdoruesit. Vlera e tanishme është <strong>%1</strong>. + + + + Back + Mbrapsht + + keyboardq @@ -3765,6 +3866,24 @@ Përfundim: Testoni tastierën tuaj + + localeq + + + System language set to %1 + Si gjuhë sistemi është caktuar %1 + + + + Numbers and dates locale set to %1 + Si vendore për numra dhe data është caktuar %1 + + + + Change + Ndryshojeni + + notesqml @@ -3838,27 +3957,27 @@ Përfundim: <p>Ky program do t’ju bëjë disa pyetje dhe do të ujdisë %1 në kompjuterin tuaj.</p> - + About Mbi - + Support Asistencë - + Known issues Probleme të njohura - + Release notes Shënime hedhjeje në qarkullim - + Donate Dhuroni diff --git a/lang/calamares_sr.ts b/lang/calamares_sr.ts index 2e4ef0fbc..269a69010 100644 --- a/lang/calamares_sr.ts +++ b/lang/calamares_sr.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Инсталирај @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Завршено @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 Извршавам команду %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Извршавам %1 операцију. - + Bad working directory path Лоша путања радног директоријума - + Working directory %1 for python job %2 is not readable. Радни директоријум %1 за питонов посао %2 није читљив. - + Bad main script file Лош фајл главне скрипте - + Main script file %1 for python job %2 is not readable. Фајл главне скрипте %1 за питонов посао %2 није читљив. - + Boost.Python error in job "%1". Boost.Python грешка у послу „%1“. @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -237,7 +242,7 @@ - + (%n second(s)) @@ -246,7 +251,7 @@ - + System-requirements checking is complete. @@ -275,13 +280,13 @@ - + &Yes - + &No @@ -316,108 +321,108 @@ - + Continue with setup? Наставити са подешавањем? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now &Инсталирај сада - + Go &back Иди &назад - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Следеће - + &Back &Назад - + &Done - + &Cancel &Откажи - + Cancel setup? - + Cancel installation? Отказати инсталацију? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Да ли стварно желите да прекинете текући процес инсталације? @@ -427,22 +432,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Непознат тип изузетка - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -459,32 +464,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back &Назад - + &Next &Следеће - + &Cancel &Откажи - + %1 Setup Program - + %1 Installer %1 инсталер @@ -681,18 +686,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -745,48 +750,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1224,37 +1229,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1272,32 +1277,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1305,27 +1310,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Заврши - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1356,72 +1361,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1769,6 +1774,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: Тренутно: - + After: После: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2660,65 +2688,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Лоши параметри при позиву посла процеса. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2726,32 +2754,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown непознато - + extended проширена - + unformatted неформатирана - + swap @@ -2805,6 +2828,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2840,73 +2872,88 @@ Output: Форма - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3029,12 +3076,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: За најбоље резултате обезбедите да овај рачунар: - + System requirements Системски захтеви @@ -3042,27 +3089,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3345,51 +3392,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3408,7 +3484,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3417,30 +3493,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3626,42 +3702,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support %1 подршка - + About %1 setup - + About %1 installer О %1 инсталатеру - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3669,7 +3745,7 @@ Output: WelcomeQmlViewStep - + Welcome Добродошли @@ -3677,7 +3753,7 @@ Output: WelcomeViewStep - + Welcome Добродошли @@ -3706,6 +3782,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3751,6 +3847,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3802,27 +3916,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_sr@latin.ts b/lang/calamares_sr@latin.ts index 1cb61f93e..e1077b0f0 100644 --- a/lang/calamares_sr@latin.ts +++ b/lang/calamares_sr@latin.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install Instaliraj @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Gotovo @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path Neispravna putanja do radne datoteke - + Working directory %1 for python job %2 is not readable. Nemoguće pročitati radnu datoteku %1 za funkciju %2 u Python-u. - + Bad main script file Neispravan glavna datoteka za skriptu - + Main script file %1 for python job %2 is not readable. Glavna datoteka za skriptu %1 za Python funkciju %2 se ne može pročitati. - + Boost.Python error in job "%1". Boost.Python greška u funkciji %1 @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -237,7 +242,7 @@ - + (%n second(s)) @@ -246,7 +251,7 @@ - + System-requirements checking is complete. @@ -275,13 +280,13 @@ - + &Yes - + &No @@ -316,108 +321,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &Dalje - + &Back &Nazad - + &Done - + &Cancel &Prekini - + Cancel setup? - + Cancel installation? Prekini instalaciju? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Da li stvarno želite prekinuti trenutni proces instalacije? @@ -427,22 +432,22 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CalamaresPython::Helper - + Unknown exception type Nepoznat tip izuzetka - + unparseable Python error unparseable Python error - + unparseable Python traceback unparseable Python traceback - + Unfetchable Python error. Unfetchable Python error. @@ -459,32 +464,32 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CalamaresWindow - + Show debug information - + &Back &Nazad - + &Next &Dalje - + &Cancel &Prekini - + %1 Setup Program - + %1 Installer %1 Instaler @@ -681,18 +686,18 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -745,48 +750,48 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1224,37 +1229,37 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1272,32 +1277,32 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1305,27 +1310,27 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. FinishedViewStep - + Finish Završi - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1356,72 +1361,72 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source je priključen na izvor struje - + The system is not plugged in to a power source. - + is connected to the Internet ima vezu sa internetom - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1769,6 +1774,16 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1907,6 +1922,19 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2494,107 +2522,107 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. Particije - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: Poslije: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2660,65 +2688,65 @@ Instaler će se zatvoriti i sve promjene će biti izgubljene. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. Pogrešni parametri kod poziva funkcije u procesu. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2726,32 +2754,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2805,6 +2828,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2840,73 +2872,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3029,12 +3076,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Za najbolje rezultate, uvjetite se da li ovaj računar: - + System requirements @@ -3042,27 +3089,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3345,51 +3392,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3408,7 +3484,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3417,30 +3493,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3626,42 +3702,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3669,7 +3745,7 @@ Output: WelcomeQmlViewStep - + Welcome Dobrodošli @@ -3677,7 +3753,7 @@ Output: WelcomeViewStep - + Welcome Dobrodošli @@ -3706,6 +3782,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3751,6 +3847,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3802,27 +3916,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_sv.ts b/lang/calamares_sv.ts index 82238ca09..408f67634 100644 --- a/lang/calamares_sv.ts +++ b/lang/calamares_sv.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Inställningar - + Install Installera @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Uppgiften misslyckades (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Klar @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Exempel jobb (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Kör kommandot '%1'. på målsystem. - + Run command '%1'. Kör kommandot '%1'. - + Running command %1 %2 Kör kommando %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Kör %1-operation - + Bad working directory path Arbetskatalogens sökväg är ogiltig - + Working directory %1 for python job %2 is not readable. Arbetskatalog %1 för pythonuppgift %2 är inte läsbar. - + Bad main script file Ogiltig huvudskriptfil - + Main script file %1 for python job %2 is not readable. Huvudskriptfil %1 för pythonuppgift %2 är inte läsbar. - + Boost.Python error in job "%1". Boost.Python-fel i uppgift "%'1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Kontroll av krav för modul <i>%1</i> är färdig. + - + Waiting for %n module(s). Väntar på %n modul(er). @@ -236,7 +241,7 @@ - + (%n second(s)) (%n sekund(er)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Kontroll av systemkrav är färdig @@ -273,13 +278,13 @@ - + &Yes &Ja - + &No &Nej @@ -314,108 +319,108 @@ <br/>Följande moduler kunde inte hämtas: - + Continue with setup? Fortsätt med installation? - + Continue with installation? Vill du fortsätta med installationen? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1-installeraren är på väg att göra ändringar på disk för att installera %2.<br/><strong>Du kommer inte att kunna ångra dessa ändringar.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1-installeraren är på väg att göra ändringar för att installera %2.<br/><strong>Du kommer inte att kunna ångra dessa ändringar.</strong> - + &Set up now &Installera nu - + &Install now &Installera nu - + Go &back Gå &bakåt - + &Set up &Installera - + &Install &Installera - + Setup is complete. Close the setup program. Installationen är klar. Du kan avsluta installationsprogrammet. - + The installation is complete. Close the installer. Installationen är klar. Du kan avsluta installationshanteraren. - + Cancel setup without changing the system. Avbryt inställningarna utan att förändra systemet. - + Cancel installation without changing the system. Avbryt installationen utan att förändra systemet. - + &Next &Nästa - + &Back &Bakåt - + &Done &Klar - + &Cancel Avbryt - + Cancel setup? Avbryt inställningarna? - + Cancel installation? Avbryt installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Vill du verkligen avbryta den nuvarande uppstartsprocessen? Uppstartsprogrammet kommer avsluta och alla ändringar kommer förloras. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Är du säker på att du vill avsluta installationen i förtid? @@ -425,22 +430,22 @@ Alla ändringar kommer att gå förlorade. CalamaresPython::Helper - + Unknown exception type Okänd undantagstyp - + unparseable Python error Otolkbart Pythonfel - + unparseable Python traceback Otolkbar Python-traceback - + Unfetchable Python error. Ohämtbart Pythonfel @@ -458,32 +463,32 @@ Alla ändringar kommer att gå förlorade. CalamaresWindow - + Show debug information Visa avlusningsinformation - + &Back &Bakåt - + &Next &Nästa - + &Cancel &Avsluta - + %1 Setup Program %1 Installationsprogram - + %1 Installer %1-installationsprogram @@ -680,18 +685,18 @@ Alla ändringar kommer att gå förlorade. CommandList - - + + Could not run command. Kunde inte köra kommandot. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Kommandot körs på värden och behöver känna till sökvägen till root, men rootMountPoint är inte definierat. - + The command needs to know the user's name, but no username is defined. Kommandot behöver veta användarnamnet, men inget användarnamn är definerat. @@ -744,49 +749,49 @@ Alla ändringar kommer att gå förlorade. Nätverksinstallation. (Inaktiverad: Kan inte hämta paketlistor, kontrollera nätverksanslutningen) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Datorn uppfyller inte minimikraven för inställning av %1.<br/>Inga inställningar kan inte göras. <a href="#details">Detaljer...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Denna dator uppfyller inte minimikraven för att installera %1.<br/>Installationen kan inte fortsätta. <a href="#details">Detaljer...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Några av kraven för inställning av %1 uppfylls inte av datorn.<br/>Inställningarna kan ändå göras men vissa funktioner kommer kanske inte att kunna användas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Denna dator uppfyller inte alla rekommenderade krav för att installera %1.<br/>Installationen kan fortsätta, men alla alternativ och funktioner kanske inte kan användas. - + This program will ask you some questions and set up %2 on your computer. Detta program kommer att ställa dig några frågor och installera %2 på din dator. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Välkommen till Calamares installationsprogrammet för %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>Välkommen till %1 installation.</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Välkommen till installationsprogrammet Calamares för %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>Välkommen till %1-installeraren.</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1223,37 +1228,37 @@ Alla ändringar kommer att gå förlorade. FillGlobalStorageJob - + Set partition information Ange partitionsinformation - + Install %1 on <strong>new</strong> %2 system partition. Installera %1 på <strong>ny</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Skapa <strong> ny </strong> %2 partition med monteringspunkt <strong> %1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Installera %2 på %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Skapa %3 partition <strong>%1</strong> med monteringspunkt <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Installera uppstartshanterare på <strong>%1</strong>. - + Setting up mount points. Ställer in monteringspunkter. @@ -1271,32 +1276,32 @@ Alla ändringar kommer att gå förlorade. Sta&rta om nu - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Allt klart.</h1><br/>%1 har installerats på din dator.<br/>Du kan nu börja använda ditt nya system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>När denna ruta är ikryssad kommer systemet starta om omedelbart när du klickar på <span style="font-style:italic;">Klar</span> eller stänger installationsprogrammet.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Klappat och klart.</h1><br/>%1 har installerats på din dator.<br/>Du kan nu starta om till ditt nya system, eller fortsätta att använda %2 i liveläge. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>När denna ruta är ikryssad kommer systemet starta om omedelbart när du klickar på <span style="font-style:italic;">Klar</span> eller stänger installationsprogrammet.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Installationen misslyckades</h1> <br/>%1 har inte blivit installerad på din dator. <br/>Felmeddelandet var: %2 - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Installationen misslyckades</h1> <br/>%1 har inte blivit installerad på din dator. <br/>Felmeddelandet var: %2 @@ -1304,27 +1309,27 @@ Alla ändringar kommer att gå förlorade. FinishedViewStep - + Finish Slutför - + Setup Complete Inställningarna är klara - + Installation Complete Installationen är klar - + The setup of %1 is complete. Inställningarna för %1 är klara. - + The installation of %1 is complete. Installationen av %1 är klar. @@ -1355,72 +1360,72 @@ Alla ändringar kommer att gå förlorade. GeneralRequirements - + has at least %1 GiB available drive space har minst %1 GiB tillgängligt på hårddisken - + There is not enough drive space. At least %1 GiB is required. Det finns inte tillräckligt med hårddiskutrymme. Minst %1 GiB krävs. - + has at least %1 GiB working memory har minst %1 GiB arbetsminne - + The system does not have enough working memory. At least %1 GiB is required. Systemet har inte tillräckligt med fungerande minne. Minst %1 GiB krävs. - + is plugged in to a power source är ansluten till en strömkälla - + The system is not plugged in to a power source. Systemet är inte anslutet till någon strömkälla. - + is connected to the Internet är ansluten till internet - + The system is not connected to the Internet. Systemet är inte anslutet till internet. - + is running the installer as an administrator (root) körs installationsprogammet med administratörsrättigheter (root) - + The setup program is not running with administrator rights. Installationsprogammet körs inte med administratörsrättigheter. - + The installer is not running with administrator rights. Installationsprogammet körs inte med administratörsrättigheter. - + has a screen large enough to show the whole installer har en tillräckligt stor skärm för att visa hela installationsprogrammet - + The screen is too small to display the setup program. Skärmen är för liten för att visa installationsprogrammet. - + The screen is too small to display the installer. Skärmen är för liten för att visa installationshanteraren. @@ -1768,6 +1773,16 @@ Alla ändringar kommer att gå förlorade. Ingen root monteringspunkt är satt för MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1906,6 +1921,19 @@ Alla ändringar kommer att gå förlorade. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2493,107 +2521,107 @@ Alla ändringar kommer att gå förlorade. Partitioner - + Install %1 <strong>alongside</strong> another operating system. Installera %1 <strong>bredvid</strong> ett annat operativsystem. - + <strong>Erase</strong> disk and install %1. <strong>Rensa</strong> disken och installera %1. - + <strong>Replace</strong> a partition with %1. <strong>Ersätt</strong> en partition med %1. - + <strong>Manual</strong> partitioning. <strong>Manuell</strong> partitionering. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Installera %1 <strong>bredvid</strong> ett annat operativsystem på disken <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Rensa</strong> disken <strong>%2</strong> (%3) och installera %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Ersätt</strong> en partition på disken <strong>%2</strong> (%3) med %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>Manuell</strong> partitionering på disken <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Nuvarande: - + After: Efter: - + No EFI system partition configured Ingen EFI system partition konfigurerad - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. En EFI-systempartition krävs för att starta %1. <br/><br/> För att konfigurera en EFI-systempartition, gå tillbaka och välj eller skapa ett FAT32-filsystem med <strong>%3</strong>-flaggan satt och monteringspunkt <strong>%2</strong>. <br/><br/>Du kan fortsätta utan att ställa in en EFI-systempartition, men ditt system kanske misslyckas med att starta. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. En EFI-systempartition krävs för att starta %1. <br/><br/>En partition är konfigurerad med monteringspunkt <strong>%2</strong>, men dess <strong>%3</strong>-flagga är inte satt.<br/>För att sätta flaggan, gå tillbaka och redigera partitionen.<br/><br/>Du kan fortsätta utan att sätta flaggan, men ditt system kanske misslyckas med att starta - + EFI system partition flag not set EFI system partitionsflagga inte satt - + Option to use GPT on BIOS Alternativ för att använda GPT på BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. En GPT-partitionstabell är det bästa alternativet för alla system. Detta installationsprogram stödjer det för system med BIOS också.<br/><br/>För att konfigurera en GPT-partitionstabell på BIOS (om det inte redan är gjort), gå tillbaka och sätt partitionstabell till GPT, skapa sedan en oformaterad partition på 8MB med <strong>bios_grub</strong>-flaggan satt.<br/><br/>En oformaterad partition på 8MB är nödvändig för att starta %1 på ett BIOS-system med GPT. - + Boot partition not encrypted Boot partition inte krypterad - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. En separat uppstartspartition skapades tillsammans med den krypterade rootpartitionen, men uppstartspartitionen är inte krypterad.<br/><br/>Det finns säkerhetsproblem med den här inställningen, eftersom viktiga systemfiler sparas på en okrypterad partition.<br/>Du kan fortsätta om du vill, men upplåsning av filsystemet kommer hända senare under uppstart av systemet.<br/>För att kryptera uppstartspartitionen, gå tillbaka och återskapa den, och välj <strong>Kryptera</strong> i fönstret när du skapar partitionen. - + has at least one disk device available. har åtminstone en diskenhet tillgänglig. - + There are no partitions to install on. Det finns inga partitioner att installera på. @@ -2659,14 +2687,14 @@ Alla ändringar kommer att gå förlorade. ProcessResult - + There was no output from the command. Det kom ingen utdata från kommandot. - + Output: @@ -2675,52 +2703,52 @@ Utdata: - + External command crashed. Externt kommando kraschade. - + Command <i>%1</i> crashed. Kommando <i>%1</i> kraschade. - + External command failed to start. Externt kommando misslyckades med att starta - + Command <i>%1</i> failed to start. Kommando <i>%1</i> misslyckades med att starta.  - + Internal error when starting command. Internt fel under kommandostart. - + Bad parameters for process job call. Ogiltiga parametrar för processens uppgiftsanrop. - + External command failed to finish. Fel inträffade när externt kommando kördes. - + Command <i>%1</i> failed to finish in %2 seconds. Kommando <i>%1</i> misslyckades att slutföras på %2 sekunder. - + External command finished with errors. Externt kommando kördes färdigt med fel. - + Command <i>%1</i> finished with exit code %2. Kommando <i>%1</i>avslutades under körning med avslutningskod %2. @@ -2728,32 +2756,27 @@ Utdata: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Kontroll av krav för modul <i>%1</i> är färdig. - - - + unknown okänd - + extended utökad - + unformatted oformaterad - + swap swap @@ -2807,6 +2830,15 @@ Utdata: Opartitionerat utrymme eller okänd partitionstabell + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2842,73 +2874,88 @@ Utdata: Formulär - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Välj var du vill installera %1.<br/><font color="red">Varning: </font>detta kommer att radera alla filer på den valda partitionen. - + The selected item does not appear to be a valid partition. Det valda alternativet verkar inte vara en giltig partition. - + %1 cannot be installed on empty space. Please select an existing partition. %1 kan inte installeras i tomt utrymme. Välj en existerande partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 kan inte installeras på en utökad partition. Välj en existerande primär eller logisk partition. - + %1 cannot be installed on this partition. %1 kan inte installeras på den här partitionen. - + Data partition (%1) Datapartition (%1) - + Unknown system partition (%1) Okänd systempartition (%1) - + %1 system partition (%2) Systempartition för %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Partitionen %1 är för liten för %2. Välj en partition med minst storleken %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Kan inte hitta en EFI-systempartition någonstans på detta system. Var god gå tillbaka och använd manuell partitionering för att installera %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 kommer att installeras på %2.<br/><font color="red">Varning: </font>all data på partition %2 kommer att gå förlorad. - + The EFI system partition at %1 will be used for starting %2. EFI-systempartitionen %1 kommer att användas för att starta %2. - + EFI system partition: EFI-systempartition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3031,12 +3078,12 @@ Utdata: ResultsListDialog - + For best results, please ensure that this computer: För bästa resultat, vänligen se till att datorn: - + System requirements Systemkrav @@ -3044,27 +3091,27 @@ Utdata: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Datorn uppfyller inte minimikraven för inställning av %1.<br/>Inga inställningar kan inte göras. <a href="#details">Detaljer...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Denna dator uppfyller inte minimikraven för att installera %1.<br/>Installationen kan inte fortsätta. <a href="#details">Detaljer...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Några av kraven för inställning av %1 uppfylls inte av datorn.<br/>Inställningarna kan ändå göras men vissa funktioner kommer kanske inte att kunna användas. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Denna dator uppfyller inte alla rekommenderade krav för att installera %1.<br/>Installationen kan fortsätta, men alla alternativ och funktioner kanske inte kan användas. - + This program will ask you some questions and set up %2 on your computer. Detta program kommer att ställa dig några frågor och installera %2 på din dator. @@ -3347,51 +3394,80 @@ Utdata: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. HTTP-begäran tog för lång tid. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob - + Machine feedback Maskin feedback - + Configuring machine feedback. Konfigurerar maskin feedback - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. Kunde inte konfigurera maskin feedback korrekt, script fel %1. - + Could not configure machine feedback correctly, Calamares error %1. Kunde inte konfigurera maskin feedback korrekt, Calamares fel %1. @@ -3410,8 +3486,8 @@ Utdata: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Genom att välja detta, kommer du inte skicka <span style=" font-weight:600;">någon information alls</span> om din installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3419,30 +3495,30 @@ Utdata: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Genom att välja detta, kommer du skicka information om din installation och hårdvara. Denna information kommer <b>enbart skickas en gång</b> efter att installationen slutförts. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback Feedback @@ -3628,42 +3704,42 @@ Utdata: Versionsinformation, &R - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Välkommen till Calamares installationsprogrammet för %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Välkommen till %1 installation.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Välkommen till installationsprogrammet Calamares för %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Välkommen till %1-installeraren.</h1> - + %1 support %1-support - + About %1 setup Om inställningarna för %1 - + About %1 installer Om %1-installationsprogrammet - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Tack till <a href="https://calamares.io/team/">Calamares-teamet</a> och <a href="https://www.transifex.com/calamares/calamares/">Calamares översättar-team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> utveckling sponsras av <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3671,7 +3747,7 @@ Utdata: WelcomeQmlViewStep - + Welcome Välkommen @@ -3679,7 +3755,7 @@ Utdata: WelcomeViewStep - + Welcome Välkommen @@ -3719,6 +3795,26 @@ Utdata: Bakåt + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + Bakåt + + keyboardq @@ -3764,6 +3860,24 @@ Utdata: Testa ditt tangentbord + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3837,27 +3951,27 @@ Utdata: <p>Detta program kommer ställa några frågor och installera %1 på din dator.</p> - + About Om - + Support Support - + Known issues Kända problem - + Release notes Versionsinformation - + Donate Donera diff --git a/lang/calamares_th.ts b/lang/calamares_th.ts index 11e6aa6e8..5cd67740a 100644 --- a/lang/calamares_th.ts +++ b/lang/calamares_th.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install ติดตั้ง @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done เสร็จสิ้น @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 กำลังเรียกใช้คำสั่ง %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. การปฏิบัติการ %1 กำลังทำงาน - + Bad working directory path เส้นทางไดเรคทอรีที่ใช้ทำงานไม่ถูกต้อง - + Working directory %1 for python job %2 is not readable. ไม่สามารถอ่านไดเรคทอรีที่ใช้ทำงาน %1 สำหรับ python %2 ได้ - + Bad main script file ไฟล์สคริปต์หลักไม่ถูกต้อง - + Main script file %1 for python job %2 is not readable. ไม่สามารถอ่านไฟล์สคริปต์หลัก %1 สำหรับ python %2 ได้ - + Boost.Python error in job "%1". Boost.Python ผิดพลาดที่งาน "%1". @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). - + (%n second(s)) - + System-requirements checking is complete. @@ -271,13 +276,13 @@ - + &Yes - + &No @@ -312,108 +317,108 @@ - + Continue with setup? ดำเนินการติดตั้งต่อหรือไม่? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> ตัวติดตั้ง %1 กำลังพยายามที่จะทำการเปลี่ยนแปลงในดิสก์ของคุณเพื่อติดตั้ง %2<br/><strong>คุณจะไม่สามารถยกเลิกการเปลี่ยนแปลงเหล่านี้ได้</strong> - + &Set up now - + &Install now &ติดตั้งตอนนี้ - + Go &back กลั&บไป - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next &N ถัดไป - + &Back &B ย้อนกลับ - + &Done - + &Cancel &C ยกเลิก - + Cancel setup? - + Cancel installation? ยกเลิกการติดตั้ง? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. คุณต้องการยกเลิกกระบวนการติดตั้งที่กำลังดำเนินการอยู่หรือไม่? @@ -423,22 +428,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type ข้อผิดพลาดไม่ทราบประเภท - + unparseable Python error ข้อผิดพลาด unparseable Python - + unparseable Python traceback ประวัติย้อนหลัง unparseable Python - + Unfetchable Python error. ข้อผิดพลาด Unfetchable Python @@ -455,32 +460,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information แสดงข้อมูลการดีบั๊ก - + &Back &B ย้อนกลับ - + &Next &N ถัดไป - + &Cancel &C ยกเลิก - + %1 Setup Program - + %1 Installer ตัวติดตั้ง %1 @@ -677,18 +682,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -741,49 +746,49 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> ขณะที่กำลังติดตั้ง ตัวติดตั้งฟ้องว่า คอมพิวเตอร์นี้มีความต้องการไม่เพียงพอที่จะติดตั้ง %1.<br/>ไม่สามารถทำการติดตั้งต่อไปได้ <a href="#details">รายละเอียด...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. คอมพิวเตอร์มีความต้องการไม่เพียงพอที่จะติดตั้ง %1<br/>สามารถทำการติดตั้งต่อไปได้ แต่ฟีเจอร์บางอย่างจะถูกปิดไว้ - + This program will ask you some questions and set up %2 on your computer. โปรแกรมนี้จะถามคุณบางอย่าง เพื่อติดตั้ง %2 ไว้ในคอมพิวเตอร์ของคุณ - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>ยินดีต้อนรับสู่ตัวติดตั้ง Calamares สำหรับ %1</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>ยินดีต้อนรับสู่ตัวติดตั้ง %1</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1220,37 +1225,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information ตั้งค่าข้อมูลพาร์ทิชัน - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1268,32 +1273,32 @@ The installer will quit and all changes will be lost. &R เริ่มต้นใหม่ทันที - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>เสร็จสิ้น</h1><br/>%1 ติดตั้งบนคอมพิวเตอร์ของคุณเรียบร้อย<br/>คุณสามารถเริ่มทำงานเพื่อเข้าระบบใหม่ของคุณ หรือดำเนินการใช้ %2 Live environment ต่อไป - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>การติดตั้งไม่สำเร็จ</h1><br/>%1 ไม่ได้ถูกติดตั้งลงบนคอมพิวเตอร์ของคุณ<br/>ข้อความข้อผิดพลาดคือ: %2 @@ -1301,27 +1306,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish สิ้นสุด - + Setup Complete - + Installation Complete การติดตั้งเสร็จสิ้น - + The setup of %1 is complete. - + The installation of %1 is complete. การติดตั้ง %1 เสร็จสิ้น @@ -1352,72 +1357,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source เชื่อมต่อปลั๊กเข้ากับแหล่งจ่ายไฟ - + The system is not plugged in to a power source. - + is connected to the Internet เชื่อมต่อกับอินเทอร์เน็ต - + The system is not connected to the Internet. ระบบไม่ได้เชื่อมต่อกับอินเทอร์เน็ต - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1765,6 +1770,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1903,6 +1918,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2490,107 +2518,107 @@ The installer will quit and all changes will be lost. พาร์ทิชัน - + Install %1 <strong>alongside</strong> another operating system. ติดตั้ง %1 <strong>ควบคู่</strong>กับระบบปฏิบัติการเดิม - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: ปัจจุบัน: - + After: หลัง: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2656,65 +2684,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. พารามิเตอร์ไม่ถูกต้องสำหรับการเรียกการทำงาน - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2722,32 +2750,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2801,6 +2824,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2836,73 +2868,88 @@ Output: ฟอร์ม - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. เลือกที่ที่จะติดตั้ง %1<br/><font color="red">คำเตือน: </font>ตัวเลือกนี้จะลบไฟล์ทั้งหมดบนพาร์ทิชันที่เลือก - + The selected item does not appear to be a valid partition. ไอเทมที่เลือกไม่ใช่พาร์ทิชันที่ถูกต้อง - + %1 cannot be installed on empty space. Please select an existing partition. ไม่สามารถติดตั้ง %1 บนพื้นที่ว่าง กรุณาเลือกพาร์ทิชันที่มี - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. ไม่สามารถติดตั้ง %1 บนพาร์ทิชัน extended กรุณาเลือกพาร์ทิชันหลักหรือพาร์ทิชันโลจิคัลที่มีอยู่ - + %1 cannot be installed on this partition. ไม่สามารถติดตั้ง %1 บนพาร์ทิชันนี้ - + Data partition (%1) พาร์ทิชันข้อมูล (%1) - + Unknown system partition (%1) พาร์ทิชันระบบที่ไม่รู้จัก (%1) - + %1 system partition (%2) %1 พาร์ทิชันระบบ (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. พาร์ทิชันสำหรับระบบ EFI ที่ %1 จะถูกใช้เพื่อเริ่มต้น %2 - + EFI system partition: พาร์ทิชันสำหรับระบบ EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3025,12 +3072,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: สำหรับผลลัพธ์ที่ดีขึ้น โปรดตรวจสอบให้แน่ใจว่าคอมพิวเตอร์เครื่องนี้: - + System requirements ความต้องการของระบบ @@ -3038,27 +3085,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> ขณะที่กำลังติดตั้ง ตัวติดตั้งฟ้องว่า คอมพิวเตอร์นี้มีความต้องการไม่เพียงพอที่จะติดตั้ง %1.<br/>ไม่สามารถทำการติดตั้งต่อไปได้ <a href="#details">รายละเอียด...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. คอมพิวเตอร์มีความต้องการไม่เพียงพอที่จะติดตั้ง %1<br/>สามารถทำการติดตั้งต่อไปได้ แต่ฟีเจอร์บางอย่างจะถูกปิดไว้ - + This program will ask you some questions and set up %2 on your computer. โปรแกรมนี้จะถามคุณบางอย่าง เพื่อติดตั้ง %2 ไว้ในคอมพิวเตอร์ของคุณ @@ -3341,51 +3388,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob - + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + + + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3404,7 +3480,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3413,30 +3489,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3622,42 +3698,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>ยินดีต้อนรับสู่ตัวติดตั้ง Calamares สำหรับ %1</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>ยินดีต้อนรับสู่ตัวติดตั้ง %1</h1> - + %1 support - + About %1 setup - + About %1 installer เกี่ยวกับตัวติดตั้ง %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3665,7 +3741,7 @@ Output: WelcomeQmlViewStep - + Welcome ยินดีต้อนรับ @@ -3673,7 +3749,7 @@ Output: WelcomeViewStep - + Welcome ยินดีต้อนรับ @@ -3702,6 +3778,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3747,6 +3843,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3798,27 +3912,27 @@ Output: - + About เกี่ยวกับ - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_tr_TR.ts b/lang/calamares_tr_TR.ts index ddf21253d..20203fd02 100644 --- a/lang/calamares_tr_TR.ts +++ b/lang/calamares_tr_TR.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Kur - + Install Sistem Kuruluyor @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) İş hatası (%1) - + Programmed job failure was explicitly requested. Programlanmış iş arızası açıkça istendi. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Sistem kurulumu tamamlandı, kurulum aracından çıkabilirsiniz. @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Örnek iş (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Hedef sistemde '%1' komutunu çalıştırın. - + Run command '%1'. '%1' komutunu çalıştırın. - + Running command %1 %2 %1 Komutu çalışıyor %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. %1 işlemleri yapılıyor. - + Bad working directory path Dizin yolu kötü çalışıyor - + Working directory %1 for python job %2 is not readable. %2 python işleri için %1 dizinleme çalışırken okunamadı. - + Bad main script file Sorunlu betik dosyası - + Main script file %1 for python job %2 is not readable. %2 python işleri için %1 sorunlu betik okunamadı. - + Boost.Python error in job "%1". Boost.Python iş hatası "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + <i>%1</i> modülü için gerekenler tamamlandı. + - + Waiting for %n module(s). %n modülü bekleniyor. @@ -236,7 +241,7 @@ - + (%n second(s)) (%n saniye(ler)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. Sistem gereksinimleri kontrolü tamamlandı. @@ -273,13 +278,13 @@ - + &Yes &Evet - + &No &Hayır @@ -314,109 +319,109 @@ <br/>Aşağıdaki modüller yüklenemedi: - + Continue with setup? Kuruluma devam et? - + Continue with installation? Kurulum devam etsin mi? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 sistem kurulum uygulaması,%2 ayarlamak için diskinizde değişiklik yapmak üzere. <br/><strong>Bu değişiklikleri geri alamayacaksınız.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 sistem yükleyici %2 yüklemek için diskinizde değişiklik yapacak.<br/><strong>Bu değişiklikleri geri almak mümkün olmayacak.</strong> - + &Set up now &Şimdi kur - + &Install now &Şimdi yükle - + Go &back Geri &git - + &Set up &Kur - + &Install &Yükle - + Setup is complete. Close the setup program. Kurulum tamamlandı. Kurulum programını kapatın. - + The installation is complete. Close the installer. Yükleme işi tamamlandı. Sistem yükleyiciyi kapatın. - + Cancel setup without changing the system. Sistemi değiştirmeden kurulumu iptal edin. - + Cancel installation without changing the system. Sistemi değiştirmeden kurulumu iptal edin. - + &Next &Sonraki - + &Back &Geri - + &Done &Tamam - + &Cancel &Vazgeç - + Cancel setup? Kurulum iptal edilsin mi? - + Cancel installation? Yüklemeyi iptal et? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Mevcut kurulum işlemini gerçekten iptal etmek istiyor musunuz? Kurulum uygulaması sonlandırılacak ve tüm değişiklikler kaybedilecek. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Yükleme işlemini gerçekten iptal etmek istiyor musunuz? @@ -426,22 +431,22 @@ Yükleyiciden çıkınca tüm değişiklikler kaybedilecek. CalamaresPython::Helper - + Unknown exception type Bilinmeyen Özel Durum Tipi - + unparseable Python error Python hata ayıklaması - + unparseable Python traceback Python geri çekme ayıklaması - + Unfetchable Python error. Okunamayan Python hatası. @@ -459,32 +464,32 @@ Yükleyiciden çıkınca tüm değişiklikler kaybedilecek. CalamaresWindow - + Show debug information Hata ayıklama bilgisini göster - + &Back &Geri - + &Next &Sonraki - + &Cancel &Vazgeç - + %1 Setup Program %1 Kurulum Uygulaması - + %1 Installer %1 Yükleniyor @@ -682,18 +687,18 @@ Yükleyiciden çıkınca tüm değişiklikler kaybedilecek. CommandList - - + + Could not run command. Komut çalıştırılamadı. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Komut, ana bilgisayar ortamında çalışır ve kök yolunu bilmesi gerekir, ancak kökMontajNoktası tanımlanmamıştır. - + The command needs to know the user's name, but no username is defined. Komutun kullanıcının adını bilmesi gerekir, ancak kullanıcı adı tanımlanmamıştır. @@ -746,51 +751,51 @@ Yükleyiciden çıkınca tüm değişiklikler kaybedilecek. Ağ Üzerinden Kurulum. (Devre Dışı: Paket listeleri alınamıyor, ağ bağlantısını kontrol ediniz) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Bu bilgisayar %1 kurulumu için minimum gereksinimleri karşılamıyor.<br/>Kurulum devam etmeyecek. <a href="#details">Detaylar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Bu bilgisayara %1 yüklemek için asgari gereksinimler karşılanamadı. Kurulum devam edemiyor. <a href="#detaylar">Detaylar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Bu bilgisayar %1 kurulumu için önerilen gereksinimlerin bazılarına uymuyor. Kurulum devam edebilirsiniz ancak bazı özellikler devre dışı bırakılabilir. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Bu bilgisayara %1 yüklemek için önerilen gereksinimlerin bazıları karşılanamadı.<br/> Kurulum devam edebilir fakat bazı özellikler devre dışı kalabilir. - + This program will ask you some questions and set up %2 on your computer. Bu program size bazı sorular soracak ve bilgisayarınıza %2 kuracak. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>%1 için Calamares sistem kurulum uygulamasına hoş geldiniz.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>%1 için Calamares kurulum programına hoş geldiniz</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>%1 Kurulumuna Hoşgeldiniz.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>%1 kurulumuna hoşgeldiniz</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>%1 Calamares Sistem Yükleyici .</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>%1 Calamares Sistem Yükleyiciye Hoşgeldiniz</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>%1 Sistem Yükleyiciye Hoşgeldiniz.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>%1 Sistem Yükleyiciye Hoşgeldiniz</h1> @@ -1227,37 +1232,37 @@ Kurulum devam edebilir fakat bazı özellikler devre dışı kalabilir. FillGlobalStorageJob - + Set partition information Bölüm bilgilendirmesini ayarla - + Install %1 on <strong>new</strong> %2 system partition. %2 <strong>yeni</strong> sistem diskine %1 yükle. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. %2 <strong>yeni</strong> disk bölümünü <strong>%1</strong> ile ayarlayıp bağla. - + Install %2 on %3 system partition <strong>%1</strong>. %3 <strong>%1</strong> sistem diskine %2 yükle. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. %3 diskine<strong>%1</strong> ile <strong>%2</strong> bağlama noktası ayarla. - + Install boot loader on <strong>%1</strong>. <strong>%1</strong> üzerine sistem ön yükleyiciyi kur. - + Setting up mount points. Bağlama noktalarını ayarla. @@ -1275,32 +1280,32 @@ Kurulum devam edebilir fakat bazı özellikler devre dışı kalabilir.&Şimdi yeniden başlat - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Kurulum Tamamlandı.</h1><br/>%1 bilgisayarınıza kuruldu.<br/>Şimdi yeni kurduğunuz işletim sistemini kullanabilirsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Bu kutucuk işaretlenerek <span style="font-style:italic;">Tamam</span> butonu tıklandığında ya da kurulum uygulaması kapatıldığında bilgisayarınız yeniden başlatılacaktır.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Kurulum işlemleri tamamlandı.</h1><br/>%1 bilgisayarınıza yüklendi<br/>Yeni kurduğunuz sistemi kullanmak için yeniden başlatabilir veya %2 Çalışan sistem ile devam edebilirsiniz. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Bu kutucuk işaretlenerek <span style="font-style:italic;">Tamam</span> butonu tıklandığında ya da sistem yükleyici kapatıldığında bilgisayarınız yeniden başlatılacaktır.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Kurulum Başarısız</h1><br/>%1 bilgisayarınıza kurulamadı.<br/>Hata mesajı: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Yükleme Başarısız</h1><br/>%1 bilgisayarınıza yüklenemedi.<br/>Hata mesajı çıktısı: %2. @@ -1308,27 +1313,27 @@ Kurulum devam edebilir fakat bazı özellikler devre dışı kalabilir. FinishedViewStep - + Finish Kurulum Tamam - + Setup Complete Kurulum Tamanlandı - + Installation Complete Kurulum Tamamlandı - + The setup of %1 is complete. %1 kurulumu tamamlandı. - + The installation of %1 is complete. Kurulum %1 oranında tamamlandı. @@ -1359,73 +1364,73 @@ Kurulum devam edebilir fakat bazı özellikler devre dışı kalabilir. GeneralRequirements - + has at least %1 GiB available drive space En az %1 GB disk sürücü alanı var - + There is not enough drive space. At least %1 GiB is required. Yeterli disk sürücü alanı mevcut değil. En az %1 GB disk alanı gereklidir. - + has at least %1 GiB working memory En az %1 GB bellek var - + The system does not have enough working memory. At least %1 GiB is required. Yeterli ram bellek gereksinimi karşılanamıyor. En az %1 GB ram bellek gereklidir. - + is plugged in to a power source Bir güç kaynağına takılı olduğundan... - + The system is not plugged in to a power source. Sistem güç kaynağına bağlı değil. - + is connected to the Internet İnternete bağlı olduğundan... - + The system is not connected to the Internet. Sistem internete bağlı değil. - + is running the installer as an administrator (root) yükleyiciyi yönetici (kök) olarak çalıştırıyor - + The setup program is not running with administrator rights. Kurulum uygulaması yönetici haklarıyla çalışmıyor. - + The installer is not running with administrator rights. Sistem yükleyici yönetici haklarına sahip olmadan çalışmıyor. - + has a screen large enough to show the whole installer yükleyicinin tamamını gösterecek kadar büyük bir ekrana sahip - + The screen is too small to display the setup program. Kurulum uygulamasını görüntülemek için ekran çok küçük. - + The screen is too small to display the installer. Ekran, sistem yükleyiciyi görüntülemek için çok küçük. @@ -1773,6 +1778,18 @@ Sistem güç kaynağına bağlı değil. MachineId için kök bağlama noktası ayarlanmadı. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Yükleyicinin yerel ayarı önerebilmesi için lütfen haritada tercih ettiğiniz konumu seçin + ve saat dilimi ayarları. Aşağıdaki önerilen ayarlarda ince ayar yapabilirsiniz. Haritada sürükleyerek arama yapın + yakınlaştırmak / uzaklaştırmak için +/- düğmelerini kullanın veya yakınlaştırma için fare kaydırmayı kullanın. + + NetInstallViewStep @@ -1911,6 +1928,19 @@ Sistem güç kaynağına bağlı değil. OEM Toplu Tanımlayıcıyı <code>%1</code>'e Ayarlayın. + + Offline + + + Timezone: %1 + Zaman dilimi: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Bir saat dilimi seçebilmek için İnternet'e bağlı olduğunuzdan emin olun. Bağladıktan sonra yükleyiciyi yeniden başlatın. Dil ve Yerel ayarlara aşağıda ince ayar yapabilirsiniz. + + PWQ @@ -2498,108 +2528,108 @@ Sistem güç kaynağına bağlı değil. Disk Bölümleme - + Install %1 <strong>alongside</strong> another operating system. Diğer işletim sisteminin <strong>yanına</strong> %1 yükle. - + <strong>Erase</strong> disk and install %1. Diski <strong>sil</strong> ve %1 yükle. - + <strong>Replace</strong> a partition with %1. %1 ile disk bölümünün üzerine <strong>yaz</strong>. - + <strong>Manual</strong> partitioning. <strong>Manuel</strong> bölümleme. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). <strong>%2</strong> (%3) diskindeki diğer işletim sisteminin <strong>yanına</strong> %1 yükle. - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>%2</strong> (%3) diski <strong>sil</strong> ve %1 yükle. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>%2</strong> (%3) disk bölümünün %1 ile <strong>üzerine yaz</strong>. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). <strong>%1</strong> (%2) disk bölümünü <strong>manuel</strong> bölümle. - + Disk <strong>%1</strong> (%2) Disk <strong>%1</strong> (%2) - + Current: Geçerli: - + After: Sonra: - + No EFI system partition configured EFI sistem bölümü yapılandırılmamış - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. %1 başlatmak için bir EFI sistem disk bölümü gereklidir.<br/><br/>Bir EFI sistem disk bölümü yapılandırmak için geri dönün ve <strong>%3</strong> bayrağı etkin ve <strong>%2</strong>bağlama noktası ile bir FAT32 dosya sistemi seçin veya oluşturun.<br/><br/>Bir EFI sistem disk bölümü kurmadan devam edebilirsiniz, ancak sisteminiz başlatılamayabilir. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. %1 başlatmak için bir EFI sistem disk bölümü gereklidir.<br/><br/>Bir disk bölümü bağlama noktası <strong>%2</strong> olarak yapılandırıldı fakat <strong>%3</strong>bayrağı ayarlanmadı.<br/>Bayrağı ayarlamak için, geri dönün ve disk bölümü düzenleyin.<br/><br/>Sen bayrağı ayarlamadan devam edebilirsin fakat işletim sistemi başlatılamayabilir. - + EFI system partition flag not set EFI sistem bölümü bayrağı ayarlanmadı - + Option to use GPT on BIOS BIOS'ta GPT kullanma seçeneği - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT disk bölümü tablosu tüm sistemler için en iyi seçenektir. Bu yükleyici klasik BIOS sistemler için de böyle bir kurulumu destekler. <br/><br/>Klasik BIOS sistemlerde disk bölümü tablosu GPT tipinde yapılandırmak için (daha önce yapılmadıysa) geri gidin ve disk bölümü tablosu GPT olarak ayarlayın ve ardından <strong>bios_grub</strong> bayrağı ile etiketlenmiş 8 MB biçimlendirilmemiş bir disk bölümü oluşturun.<br/> <br/>GPT disk yapısı ile kurulan klasik BIOS sistemi %1 başlatmak için biçimlendirilmemiş 8 MB bir disk bölümü gereklidir. - + Boot partition not encrypted Önyükleme yani boot diski şifrelenmedi - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Ayrı bir önyükleme yani boot disk bölümü, şifrenmiş bir kök bölüm ile birlikte ayarlandı, fakat önyükleme bölümü şifrelenmedi.<br/><br/>Bu tip kurulumun güvenlik endişeleri vardır, çünkü önemli sistem dosyaları şifrelenmemiş bir bölümde saklanır.<br/>İsterseniz kuruluma devam edebilirsiniz, fakat dosya sistemi kilidi daha sonra sistem başlatılırken açılacak.<br/> Önyükleme bölümünü şifrelemek için geri dönün ve bölüm oluşturma penceresinde <strong>Şifreleme</strong>seçeneği ile yeniden oluşturun. - + has at least one disk device available. Mevcut en az bir disk aygıtı var. - + There are no partitions to install on. Kurulacak disk bölümü yok. @@ -2665,14 +2695,14 @@ Sistem güç kaynağına bağlı değil. ProcessResult - + There was no output from the command. Komut çıktısı yok. - + Output: @@ -2681,52 +2711,52 @@ Output: - + External command crashed. Harici komut çöktü. - + Command <i>%1</i> crashed. Komut <i>%1</i> çöktü. - + External command failed to start. Harici komut başlatılamadı. - + Command <i>%1</i> failed to start. Komut <i>%1</i> başlatılamadı. - + Internal error when starting command. Komut başlatılırken dahili hata. - + Bad parameters for process job call. Çalışma adımları başarısız oldu. - + External command failed to finish. Harici komut başarısız oldu. - + Command <i>%1</i> failed to finish in %2 seconds. Komut <i>%1</i> %2 saniyede başarısız oldu. - + External command finished with errors. Harici komut hatalarla bitti. - + Command <i>%1</i> finished with exit code %2. Komut <i>%1</i> %2 çıkış kodu ile tamamlandı @@ -2734,32 +2764,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - <i>%1</i> modülü için gerekenler tamamlandı. - - - + unknown bilinmeyen - + extended uzatılmış - + unformatted biçimlenmemiş - + swap Swap-Takas @@ -2813,6 +2838,16 @@ Output: Bölümlenmemiş alan veya bilinmeyen bölüm tablosu + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Bu bilgisayar %1 kurmak için önerilen gereksinimlerin bazılarını karşılamıyor.<br/> + Kurulum devam edebilir, ancak bazı özellikler devre dışı kalabilir.</p> + + RemoveUserJob @@ -2848,73 +2883,90 @@ Output: Biçim - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. %1 kurulacak diski seçin.<br/><font color="red">Uyarı: </font>Bu işlem seçili disk üzerindeki tüm dosyaları silecek. - + The selected item does not appear to be a valid partition. Seçili nesne, geçerli bir disk bölümü olarak görünmüyor. - + %1 cannot be installed on empty space. Please select an existing partition. %1 tanımlanmamış boş bir alana kurulamaz. Lütfen geçerli bir disk bölümü seçin. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 uzatılmış bir disk bölümüne kurulamaz. Geçerli bir, birincil disk ya da mantıksal disk bölümü seçiniz. - + %1 cannot be installed on this partition. %1 bu disk bölümüne yüklenemedi. - + Data partition (%1) Veri diski (%1) - + Unknown system partition (%1) Bilinmeyen sistem bölümü (%1) - + %1 system partition (%2) %1 sistem bölümü (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>disk bölümü %2 için %1 daha küçük. Lütfen, en az %3 GB kapasiteli bir disk bölümü seçiniz. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Bu sistemde EFI disk bölümü bulamadı. Lütfen geri dönün ve %1 kurmak için gelişmiş kurulum seçeneğini kullanın. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%2 üzerine %1 kuracak.<br/><font color="red">Uyarı: </font>%2 diskindeki tüm veriler kaybedilecek. - + The EFI system partition at %1 will be used for starting %2. %1 EFI sistem bölümü %2 başlatmak için kullanılacaktır. - + EFI system partition: EFI sistem bölümü: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Bu bilgisayar %1 yüklemek için asgari sistem gereksinimleri karşılamıyor.<br/> + Kurulum devam edemiyor.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Bu bilgisayar %1 kurmak için önerilen gereksinimlerin bazılarını karşılamıyor.<br/> + Kurulum devam edebilir, ancak bazı özellikler devre dışı kalabilir.</p> + + ResizeFSJob @@ -3037,12 +3089,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: En iyi sonucu elde etmek için bilgisayarınızın aşağıdaki gereksinimleri karşıladığından emin olunuz: - + System requirements Sistem gereksinimleri @@ -3050,29 +3102,29 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Bu bilgisayar %1 kurulumu için minimum gereksinimleri karşılamıyor.<br/>Kurulum devam etmeyecek. <a href="#details">Detaylar...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Bu bilgisayara %1 yüklemek için minimum gereksinimler karşılanamadı. Kurulum devam edemiyor. <a href="#detaylar">Detaylar...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Bu bilgisayar %1 kurulumu için önerilen gereksinimlerin bazılarına uymuyor. Kurulum devam edebilirsiniz ancak bazı özellikler devre dışı bırakılabilir. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Bu bilgisayara %1 yüklemek için önerilen gereksinimlerin bazıları karşılanamadı.<br/> Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. - + This program will ask you some questions and set up %2 on your computer. Bu program size bazı sorular soracak ve bilgisayarınıza %2 kuracak. @@ -3355,51 +3407,80 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. TrackingInstallJob - + Installation feedback Kurulum geribildirimi - + Sending installation feedback. Kurulum geribildirimi gönderiliyor. - + Internal error in install-tracking. Kurulum izlemede dahili hata. - + HTTP request timed out. HTTP isteği zaman aşımına uğradı. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + KDE kullanıcı geri bildirimi + + + + Configuring KDE user feedback. + KDE kullanıcı geri bildirimleri yapılandırılıyor. + + + + + Error in KDE user feedback configuration. + KDE kullanıcı geri bildirimi yapılandırmasında hata. + - + + Could not configure KDE user feedback correctly, script error %1. + KDE kullanıcı geri bildirimi doğru yapılandırılamadı, komut dosyası hatası %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + KDE kullanıcı geri bildirimi doğru şekilde yapılandırılamadı, %1 Calamares hatası. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Makine geri bildirimi - + Configuring machine feedback. Makine geribildirimini yapılandırma. - - + + Error in machine feedback configuration. Makine geri bildirim yapılandırma hatası var. - + Could not configure machine feedback correctly, script error %1. Makine geribildirimi doğru yapılandırılamadı, betik hatası %1. - + Could not configure machine feedback correctly, Calamares error %1. Makine geribildirimini doğru bir şekilde yapılandıramadı, Calamares hata %1. @@ -3418,8 +3499,8 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Bunu seçerseniz <span style=" font-weight:600;">kurulum hakkında</span> hiçbir bilgi gönderemezsiniz.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Buraya tıklayın <span style=" font-weight:600;">hiçbir bilgi göndermemek için</span> kurulan sisteminiz hakkında.</p></body></html> @@ -3427,30 +3508,30 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir.<html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Kullanıcı geri bildirimi hakkında daha fazla bilgi için burayı tıklayın</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Yükleme takibi, sahip oldukları kaç kullanıcının, hangi donanımın %1'e kurulduğunu ve (son iki seçenekle birlikte) tercih edilen uygulamalar hakkında sürekli bilgi sahibi olmasını sağlamak için %1'e yardımcı olur. Ne gönderileceğini görmek için, lütfen her alanın yanındaki yardım simgesini tıklayın. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + İzleme, %1 ne sıklıkla yüklendiğini, hangi donanıma kurulduğunu ve hangi uygulamaların kullanıldığını görmesine yardımcı olur. Nelerin gönderileceğini görmek için lütfen her bir alanın yanındaki yardım simgesini tıklayın. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Bunu seçerseniz kurulum ve donanımınız hakkında bilgi gönderirsiniz. Bu bilgi, <b>kurulum tamamlandıktan sonra</b> yalnızca bir kez gönderilecektir. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Bunu seçerek kurulumunuz ve donanımınız hakkında bilgi göndereceksiniz. Bu bilgiler, kurulum bittikten sonra <b> yalnızca bir kez </b> gönderilecektir. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Bunu seçerek <b>kurulum, donanım ve uygulamalarınızla ilgili bilgileri</b> düzenli olarak %1'e gönderirsiniz. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Bunu seçerek, periyodik olarak %1'e <b> makine </b> kurulum, donanım ve uygulamalarınız hakkında bilgi gönderirsiniz. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Bunu seçerek <b>kurulum, donanım ve uygulamalarınızla ilgili bilgileri </b> düzenli olarak %1 adresine gönderirsiniz. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Bunu seçerek, <b> kullanıcı </b> kurulumunuz, donanımınız, uygulamalarınız ve uygulama kullanım alışkanlıklarınız hakkında düzenli olarak %1'e bilgi gönderirsiniz. TrackingViewStep - + Feedback Geribildirim @@ -3636,42 +3717,42 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir.&Sürüm notları - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>%1 için Calamares sistem kurulum uygulamasına hoş geldiniz.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>%1 Kurulumuna Hoşgeldiniz.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>%1 Calamares Sistem Yükleyici .</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>%1 Sistem Yükleyiciye Hoşgeldiniz.</h1> - + %1 support %1 destek - + About %1 setup %1 kurulum hakkında - + About %1 installer %1 sistem yükleyici hakkında - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Telif Hakkı 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Telif Hakkı 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Teşekkrürler <a href="https://calamares.io/team/">Calamares takımı</a> ve <a href="https://www.transifex.com/calamares/calamares/">Calamares çeviri ekibi</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> gelişim sponsoru <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Özgür Yazılım @@ -3679,7 +3760,7 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. WelcomeQmlViewStep - + Welcome Hoşgeldiniz @@ -3687,7 +3768,7 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. WelcomeViewStep - + Welcome Hoşgeldiniz @@ -3728,6 +3809,28 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir.Geri + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Dil</h1> </br> + Sistem yerel ayarı, bazı komut satırı kullanıcı arabirimi öğelerinin dilini ve karakter kümesini etkiler. Geçerli ayar <strong>%1</strong>'dir + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Yerel</h1> </br> +Sistem yerel ayarı, bazı komut satırı kullanıcı arabirimi öğelerinin dilini ve karakter kümesini etkiler. Geçerli ayar <strong>%1</strong>. + + + + Back + Geri + + keyboardq @@ -3773,6 +3876,24 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir.Klavyeni test et + + localeq + + + System language set to %1 + Sistem dili %1 olarak ayarlandı + + + + Numbers and dates locale set to %1 + Sayılar ve tarih yerel ayarı %1 olarak ayarlandı + + + + Change + Değiştir + + notesqml @@ -3846,27 +3967,27 @@ Kuruluma devam edebilirsiniz fakat bazı özellikler devre dışı kalabilir. - + About Hakkında - + Support Destek - + Known issues Bilinen sorunlar - + Release notes Sürüm notları - + Donate Bağış diff --git a/lang/calamares_uk.ts b/lang/calamares_uk.ts index 4cc1441c0..d5c4fb97a 100644 --- a/lang/calamares_uk.ts +++ b/lang/calamares_uk.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up Налаштувати - + Install Встановити @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) Не вдалося виконати завдання (%1) - + Programmed job failure was explicitly requested. Невдача в запрограмованому завданні була чітко задана. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done Готово @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) Приклад завдання (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. Виконати команду «%1» у системі призначення. - + Run command '%1'. Виконати команду «%1». - + Running command %1 %2 Виконуємо команду %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. Запуск операції %1. - + Bad working directory path Неправильний шлях робочого каталогу - + Working directory %1 for python job %2 is not readable. Неможливо прочитати робочу директорію %1 для завдання python %2. - + Bad main script file Неправильний файл головного сценарію - + Main script file %1 for python job %2 is not readable. Неможливо прочитати файл головного сценарію %1 для завдання python %2. - + Boost.Python error in job "%1". Помилка Boost.Python у завданні "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + Перевірку виконання вимог щодо модуля <i>%1</i> завершено. + - + Waiting for %n module(s). Очікування %n модулю. @@ -238,7 +243,7 @@ - + (%n second(s)) (%n секунда) @@ -248,7 +253,7 @@ - + System-requirements checking is complete. Перевірка системних вимог завершена. @@ -277,13 +282,13 @@ - + &Yes &Так - + &No &Ні @@ -318,109 +323,109 @@ <br/>Не вдалося завантажити наступні модулі: - + Continue with setup? Продовжити встановлення? - + Continue with installation? Продовжити встановлення? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> Програма налаштування %1 збирається внести зміни до вашого диска, щоб налаштувати %2. <br/><strong> Ви не зможете скасувати ці зміни.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> Засіб встановлення %1 має намір внести зміни до розподілу вашого диска, щоб встановити %2.<br/><strong>Ці зміни неможливо буде скасувати.</strong> - + &Set up now &Налаштувати зараз - + &Install now &Встановити зараз - + Go &back Перейти &назад - + &Set up &Налаштувати - + &Install &Встановити - + Setup is complete. Close the setup program. Встановлення виконано. Закрити програму встановлення. - + The installation is complete. Close the installer. Встановлення виконано. Завершити роботу засобу встановлення. - + Cancel setup without changing the system. Скасувати налаштування без зміни системи. - + Cancel installation without changing the system. Скасувати встановлення без зміни системи. - + &Next &Вперед - + &Back &Назад - + &Done &Закінчити - + &Cancel &Скасувати - + Cancel setup? Скасувати налаштування? - + Cancel installation? Скасувати встановлення? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. Ви насправді бажаєте скасувати поточну процедуру налаштовування? Роботу програми для налаштовування буде завершено, а усі зміни буде втрачено. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. Чи ви насправді бажаєте скасувати процес встановлення? @@ -430,22 +435,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type Невідомий тип виключної ситуації - + unparseable Python error нерозбірлива помилка Python - + unparseable Python traceback нерозбірливе відстеження помилки Python - + Unfetchable Python error. Помилка Python, інформацію про яку неможливо отримати. @@ -463,32 +468,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information Показати діагностичну інформацію - + &Back &Назад - + &Next &Вперед - + &Cancel &Скасувати - + %1 Setup Program Програма для налаштовування %1 - + %1 Installer Засіб встановлення %1 @@ -685,18 +690,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. Не вдалося виконати команду. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. Програма запускається у середовищі основної системи і потребує даних щодо кореневої теки, але не визначено rootMountPoint. - + The command needs to know the user's name, but no username is defined. Команді потрібні дані щодо імені користувача, але ім'я користувача не визначено. @@ -749,49 +754,49 @@ The installer will quit and all changes will be lost. Встановлення через мережу. (Вимкнено: Неможливо отримати список пакетів, перевірте ваше підключення до мережі) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Цей комп'ютер не задовольняє мінімальні вимоги для налаштовування %1.<br/>Налаштовування неможливо продовжити. <a href="#details">Докладніше...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Цей комп'ютер не задовольняє мінімальні вимоги для встановлення %1.<br/>Встановлення неможливо продовжити. <a href="#details">Докладніше...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1. Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Цей комп'ютер не задовольняє рекомендовані вимоги для встановлення %1.<br/>Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - + This program will ask you some questions and set up %2 on your computer. Ця програма поставить кілька питань та встановить %2 на ваш комп'ютер. - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>Вітаємо у програмі налаштовування Calamares для %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>Вітаємо у програмі налаштовування Calamares для %1</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>Вітаємо у програмі для налаштовування %1.</h1> + + <h1>Welcome to %1 setup</h1> + <h1>Вітаємо у програмі для налаштовування %1</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>Ласкаво просимо до засобу встановлення Calamares для %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>Ласкаво просимо до засобу встановлення Calamares для %1</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>Ласкаво просимо до засобу встановлення %1.</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>Ласкаво просимо до засобу встановлення %1</h1> @@ -1228,37 +1233,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information Ввести інформацію про розділ - + Install %1 on <strong>new</strong> %2 system partition. Встановити %1 на <strong>новий</strong> системний розділ %2. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. Налаштувати <strong>новий</strong> розділ %2 з точкою підключення <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. Встановити %2 на системний розділ %3 <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. Налаштувати розділ %3 <strong>%1</strong> з точкою підключення <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. Встановити завантажувач на <strong>%1</strong>. - + Setting up mount points. Налаштування точок підключення. @@ -1276,32 +1281,32 @@ The installer will quit and all changes will be lost. &Перезавантажити зараз - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>Виконано.</h1><br/>На вашому комп'ютері було налаштовано %1.<br/>Можете починати користуватися вашою новою системою. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>Якщо позначено цей пункт, вашу систему буде негайно перезапущено після натискання кнопки <span style="font-style:italic;">Закінчити</span> або закриття вікна програми для налаштовування.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>Все зроблено.</h1><br/>%1 встановлено на ваш комп'ютер.<br/>Ви можете перезавантажитися до вашої нової системи або продовжити використання Live-середовища %2. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>Якщо позначено цей пункт, вашу систему буде негайно перезапущено після натискання кнопки <span style="font-style:italic;">Закінчити</span> або закриття вікна засобу встановлення.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>Не вдалося налаштувати</h1><br/>%1 не було налаштовано на вашому комп'ютері.<br/>Повідомлення про помилку: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>Встановлення зазнало невдачі</h1><br/>%1 не було встановлено на Ваш комп'ютер.<br/>Повідомлення про помилку: %2. @@ -1309,27 +1314,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish Завершити - + Setup Complete Налаштовування завершено - + Installation Complete Встановлення завершено - + The setup of %1 is complete. Налаштовування %1 завершено. - + The installation of %1 is complete. Встановлення %1 завершено. @@ -1360,72 +1365,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space містить принаймні %1 ГіБ місця на диску - + There is not enough drive space. At least %1 GiB is required. На диску недостатньо місця. Потрібно принаймні %1 ГіБ. - + has at least %1 GiB working memory має принаймні %1 ГіБ робочої пам'яті - + The system does not have enough working memory. At least %1 GiB is required. У системі немає достатнього об'єму робочої пам'яті. Потрібно принаймні %1 ГіБ. - + is plugged in to a power source підключена до джерела живлення - + The system is not plugged in to a power source. Система не підключена до джерела живлення. - + is connected to the Internet з'єднано з мережею Інтернет - + The system is not connected to the Internet. Система не з'єднана з мережею Інтернет. - + is running the installer as an administrator (root) виконує засіб встановлення від імені адміністратора (root) - + The setup program is not running with administrator rights. Програму для налаштовування запущено не від імені адміністратора. - + The installer is not running with administrator rights. Засіб встановлення запущено без прав адміністратора. - + has a screen large enough to show the whole installer має достатньо великий для усього вікна засобу встановлення екран - + The screen is too small to display the setup program. Екран є замалим для показу вікна засобу налаштовування. - + The screen is too small to display the installer. Екран замалий для показу вікна засобу встановлення. @@ -1545,7 +1550,7 @@ The installer will quit and all changes will be lost. The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. - Налаштування системної локалі впливає на мову та набір символів для деяких елементів інтерфейсу командного рядку.<br/>Наразі встановлено <strong>%1</strong>. + Налаштування системної локалі впливає на мову та набір символів для деяких елементів інтерфейсу командного рядка.<br/>Зараз встановлено <strong>%1</strong>. @@ -1773,6 +1778,18 @@ The installer will quit and all changes will be lost. Не встановлено точки монтування кореневої файлової системи для MachineId. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + Будь ласка, виберіть бажане місце на мапі, щоб засіб встановлення запропонував вам + параметри локалі і часового поясу. Нижче ви можете скоригувати запропоновані параметри. Пошук на мапі можна виконати перетягуванням + для пересування позиції та використанням кнопок +/- для збільшення або зменшення масштабу, а також гортанням коліщатка для зміни масштабу. + + NetInstallViewStep @@ -1911,6 +1928,19 @@ The installer will quit and all changes will be lost. Встановити пакетний ідентифікатор OEM у значення <code>%1</code>. + + Offline + + + Timezone: %1 + Часовий пояс: %1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + Щоб мати змогу вибрати часовий пояс, переконайтеся, що комп'ютер з'єднано із інтернетом. Перезапустіть засіб встановлення після встановлення з'єднання із мережею. Ви можете скоригувати параметри мови та локалі нижче. + + PWQ @@ -2499,107 +2529,107 @@ The installer will quit and all changes will be lost. Розділи - + Install %1 <strong>alongside</strong> another operating system. Встановити %1 <strong>поруч</strong> з іншою операційною системою. - + <strong>Erase</strong> disk and install %1. <strong>Очистити</strong> диск та встановити %1. - + <strong>Replace</strong> a partition with %1. <strong>Замінити</strong> розділ на %1. - + <strong>Manual</strong> partitioning. Розподіл диска <strong>вручну</strong>. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). Встановити %1 <strong>поруч</strong> з іншою операційною системою на диск <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>Очистити</strong> диск <strong>%2</strong> (%3) та встановити %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. <strong>Замінити</strong> розділ на диску <strong>%2</strong> (%3) на %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). Розподіл диска <strong>%1</strong> (%2) <strong>вручну</strong>. - + Disk <strong>%1</strong> (%2) Диск <strong>%1</strong> (%2) - + Current: Зараз: - + After: Після: - + No EFI system partition configured Не налаштовано жодного системного розділу EFI - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. Щоб запустити %1, потрібен системний розділ EFI.<br/><br/>Щоб налаштувати системний розділ EFI, поверніться і виберіть або створіть файлову систему FAT32 з увімкненим параметром <strong>%3</strong> та точкою монтування <strong>%2</strong>.<br/><br/>Ви можете продовжити, не налаштовуючи системний розділ EFI, але тоді у вашої системи можуть виникнути проблеми із запуском. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. Для запуску %1 потрібен системний розділ EFI.<br/><br/>Розділ налаштовано з точкою підключення <strong>%2</strong>, але опція <strong>%3</strong> не встановлено.<br/>Щоб встановити опцію, поверніться та відредагуйте розділ.<br/><br/>Ви можете продовжити не налаштовуючи цю опцію, але ваша система може не запускатись. - + EFI system partition flag not set Опцію системного розділу EFI не встановлено - + Option to use GPT on BIOS Варіант із використанням GPT на BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. Таблиця розділів GPT є найкращим варіантом для усіх систем. У цьому засобі встановлення передбачено підтримку відповідних налаштувань і для систем BIOS.<br/><br/>Щоб скористатися таблицею розділів GPT у системі з BIOS, (якщо цього ще не було зроблено) поверніться назад і встановіть для таблиці розділів значення GPT, далі створіть неформатований розділ розміром 8 МБ з увімкненим прапорцем <strong>bios_grub</strong>.<br/><br/>Неформатований розділ розміром 8 МБ потрібен для запуску %1 на системі з BIOS за допомогою GPT. - + Boot partition not encrypted Завантажувальний розділ незашифрований - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. Було налаштовано окремий завантажувальний розділ поряд із зашифрованим кореневим розділом, але завантажувальний розділ незашифрований.<br/><br/>Існують проблеми з безпекою такого типу, оскільки важливі системні файли зберігаються на незашифрованому розділі.<br/>Ви можете продовжувати, якщо бажаєте, але розблокування файлової системи відбудеться пізніше під час запуску системи.<br/>Щоб зашифрувати завантажувальний розділ, поверніться і створіть його знов, обравши <strong>Зашифрувати</strong> у вікні створення розділів. - + has at least one disk device available. має принаймні один доступний дисковий пристрій. - + There are no partitions to install on. Немає розділів для встановлення. @@ -2665,14 +2695,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. У результаті виконання команди не отримано виведених даних. - + Output: @@ -2681,52 +2711,52 @@ Output: - + External command crashed. Виконання зовнішньої команди завершилося помилкою. - + Command <i>%1</i> crashed. Аварійне завершення виконання команди <i>%1</i>. - + External command failed to start. Не вдалося виконати зовнішню команду. - + Command <i>%1</i> failed to start. Не вдалося виконати команду <i>%1</i>. - + Internal error when starting command. Внутрішня помилка під час спроби виконати команду. - + Bad parameters for process job call. Неправильні параметри виклику завдання обробки. - + External command failed to finish. Не вдалося завершити виконання зовнішньої команди. - + Command <i>%1</i> failed to finish in %2 seconds. Не вдалося завершити виконання команди <i>%1</i> за %2 секунд. - + External command finished with errors. Виконання зовнішньої команди завершено із помилками. - + Command <i>%1</i> finished with exit code %2. Виконання команди <i>%1</i> завершено повідомленням із кодом виходу %2. @@ -2734,32 +2764,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - Перевірку виконання вимог щодо модуля <i>%1</i> завершено. - - - + unknown невідома - + extended розширений - + unformatted не форматовано - + swap резервна пам'ять @@ -2813,6 +2838,16 @@ Output: Нерозподілений простір або невідома таблиця розділів + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1.<br/> +Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними.</p> + + RemoveUserJob @@ -2848,73 +2883,90 @@ Output: Форма - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. Виберіть місце встановлення %1.<br/><font color="red">Увага:</font> у результаті виконання цієї дії усі файли на вибраному розділі буде витерто. - + The selected item does not appear to be a valid partition. Вибраний елемент не є дійсним розділом. - + %1 cannot be installed on empty space. Please select an existing partition. %1 не можна встановити на порожній простір. Будь ласка, оберіть дійсний розділ. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 не можна встановити на розширений розділ. Будь ласка, оберіть дійсний первинний або логічний розділ. - + %1 cannot be installed on this partition. %1 не можна встановити на цей розділ. - + Data partition (%1) Розділ з даними (%1) - + Unknown system partition (%1) Невідомий системний розділ (%1) - + %1 system partition (%2) Системний розділ %1 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>Розділ %1 замалий для %2. Будь ласка оберіть розділ розміром хоча б %3 Гб. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>Системний розділ EFI у цій системі не знайдено. Для встановлення %1, будь ласка, поверніться назад і скористайтеся розподіленням вручну. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 буде встановлено на %2.<br/><font color="red">Увага: </font>всі дані на розділі %2 буде загублено. - + The EFI system partition at %1 will be used for starting %2. Системний розділ EFI на %1 буде використано для запуску %2. - + EFI system partition: Системний розділ EFI: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>Цей комп'ютер не задовольняє мінімальні вимоги до встановлення %1.<br/> +Неможливо продовжувати процес встановлення.</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1.<br/> +Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними.</p> + + ResizeFSJob @@ -3037,12 +3089,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: Щоб отримати найкращий результат, будь ласка, переконайтеся, що цей комп'ютер: - + System requirements Вимоги до системи @@ -3050,27 +3102,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> Цей комп'ютер не задовольняє мінімальні вимоги для налаштовування %1.<br/>Налаштовування неможливо продовжити. <a href="#details">Докладніше...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> Цей комп'ютер не задовольняє мінімальні вимоги для встановлення %1.<br/>Встановлення неможливо продовжити. <a href="#details">Докладніше...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. Цей комп'ютер не задовольняє рекомендовані вимоги щодо налаштовування %1. Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. Цей комп'ютер не задовольняє рекомендовані вимоги для встановлення %1.<br/>Встановлення можна продовжити, але деякі можливості можуть виявитися недоступними. - + This program will ask you some questions and set up %2 on your computer. Ця програма поставить кілька питань та встановить %2 на ваш комп'ютер. @@ -3353,51 +3405,80 @@ Output: TrackingInstallJob - + Installation feedback Відгуки щодо встановлення - + Sending installation feedback. Надсилання відгуків щодо встановлення. - + Internal error in install-tracking. Внутрішня помилка під час стеження за встановленням. - + HTTP request timed out. Перевищено час очікування на обробку запиту HTTP. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + Зворотних зв'язок для користувачів KDE + + + + Configuring KDE user feedback. + Налаштовування зворотного зв'язку для користувачів KDE. + + + + + Error in KDE user feedback configuration. + Помилка у налаштуваннях зворотного зв'язку користувачів KDE. + - + + Could not configure KDE user feedback correctly, script error %1. + Не вдалося налаштувати належним чином зворотний зв'язок для користувачів KDE. Помилка скрипту %1. + + + + Could not configure KDE user feedback correctly, Calamares error %1. + Не вдалося налаштувати належним чином зворотний зв'язок для користувачів KDE. Помилка Calamares %1. + + + + TrackingMachineUpdateManagerJob + + Machine feedback Дані щодо комп'ютера - + Configuring machine feedback. Налаштовування надсилання даних щодо комп'ютера. - - + + Error in machine feedback configuration. Помилка у налаштуваннях надсилання даних щодо комп'ютера. - + Could not configure machine feedback correctly, script error %1. Не вдалося налаштувати надсилання даних щодо комп'ютера належним чином. Помилка скрипту: %1. - + Could not configure machine feedback correctly, Calamares error %1. Не вдалося налаштувати надсилання даних щодо комп'ютера належним чином. Помилка у Calamares: %1. @@ -3416,8 +3497,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>Якщо буде позначено цей пункт, програма <span style=" font-weight:600;">не надсилатиме ніяких даних</span> щодо встановленої системи.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Натисніть тут, щоб не надсилати <span style=" font-weight:600;">взагалі ніяких даних</span> щодо вашого встановлення.</p></body></html> @@ -3425,30 +3506,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">Натисніть, щоб дізнатися більше про відгуки користувачів</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - Стеження за встановленням допоможе визначити %1 кількість користувачів, параметри обладнання, на якому встановлюють %1 і (якщо позначено останні два пункти нижче) неперервно отримувати дані щодо програм, які використовуються у системі. Щоб ознайомитися із даними, які буде надіслано, натисніть піктограму довідки, розташовану поряд із кожним із варіантів. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + Стеження допоможе %1 визначити частоту встановлення, параметри обладнання для встановлення та перелік використовуваних програм. Щоб переглянути дані, які буде надіслано, будь ласка, натисніть піктограму довідки, яку розташовано поряд із кожним пунктом. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - Якщо буде позначено цей пункт, програма надішле дані щодо встановленої системи та обладнання. Ці дані буде <b>надіслано лише один раз</b> після завершення встановлення. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + Якщо буде позначено цей пункт, програма надішле дані щодо встановленої системи та обладнання. Ці дані буде надіслано <b>лише один раз</b> після завершення встановлення. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - Якщо позначити цей пункт, програма <b>періодично</b> надсилатиме дані щодо встановленої вами системи, обладнання і програм до %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + Якщо позначити цей пункт, програма періодично надсилатиме дані щодо <b>встановленої вами системи загалом</b>, обладнання і програм до %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - Якщо позначити цей пункт, програма <b>регулярно</b> надсилатиме дані щодо встановленої вами системи, обладнання, програм та користування системою до %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + Якщо позначити цей пункт, програма регулярно надсилатиме дані щодо встановленої вами системи користувача, обладнання, програм та користування системою до %1. TrackingViewStep - + Feedback Відгуки @@ -3634,42 +3715,42 @@ Output: При&мітки до випуску - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>Вітаємо у програмі налаштовування Calamares для %1.</h1> - + <h1>Welcome to %1 setup.</h1> <h1>Вітаємо у програмі для налаштовування %1.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>Ласкаво просимо до засобу встановлення Calamares для %1.</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>Ласкаво просимо до засобу встановлення %1.</h1> - + %1 support Підтримка %1 - + About %1 setup Про засіб налаштовування %1 - + About %1 installer Про засіб встановлення %1 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>для %3</strong><br/><br/>© Teo Mrnjavac &lt;teo@kde.org&gt;, 2014–2017<br/>© Adriaan de Groot &lt;groot@kde.org&gt;, 2017–2020<br/>Дякуємо <a href="https://calamares.io/team/">команді розробників Calamares</a> та <a href="https://www.transifex.com/calamares/calamares/">команді перекладачів Calamares</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> розроблено за фінансової підтримки <br/><a href="http://www.blue-systems.com/">Blue Systems</a> — Liberating Software. @@ -3677,7 +3758,7 @@ Output: WelcomeQmlViewStep - + Welcome Вітаємо @@ -3685,7 +3766,7 @@ Output: WelcomeViewStep - + Welcome Вітаємо @@ -3724,6 +3805,28 @@ Output: Назад + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Мови</h1></br> +Налаштування системної локалі впливає на мову та набір символів для деяких елементів інтерфейсу командного рядка. Зараз встановлено значення локалі <strong>%1</strong>. + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>Локалі</h1></br> +Налаштування системної локалі впливає на мову та набір символів для деяких елементів інтерфейсу командного рядка. Зараз встановлено значення локалі <strong>%1</strong>. + + + + Back + Назад + + keyboardq @@ -3769,6 +3872,24 @@ Output: Перевірте вашу клавіатуру + + localeq + + + System language set to %1 + Мову %1 встановлено як мову системи + + + + Numbers and dates locale set to %1 + %1 встановлено як локаль чисел та дат. + + + + Change + Змінити + + notesqml @@ -3842,27 +3963,27 @@ Output: <p>Ця програма задасть вам декілька питань і налаштує %1 для роботи на вашому комп'ютері.</p> - + About Про програму - + Support Підтримка - + Known issues Відомі вади - + Release notes Нотатки щодо випуску - + Donate Підтримати фінансово diff --git a/lang/calamares_ur.ts b/lang/calamares_ur.ts index 7eaf9283d..89485037c 100644 --- a/lang/calamares_ur.ts +++ b/lang/calamares_ur.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,8 +227,13 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). @@ -236,7 +241,7 @@ - + (%n second(s)) @@ -244,7 +249,7 @@ - + System-requirements checking is complete. @@ -273,13 +278,13 @@ - + &Yes - + &No @@ -314,108 +319,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -456,32 +461,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -678,18 +683,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -742,48 +747,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1221,37 +1226,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1269,32 +1274,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1302,27 +1307,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1353,72 +1358,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1766,6 +1771,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1904,6 +1919,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2491,107 +2519,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2657,65 +2685,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2723,32 +2751,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2802,6 +2825,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2837,73 +2869,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3026,12 +3073,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3039,27 +3086,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3342,51 +3389,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3405,7 +3481,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3414,30 +3490,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3623,42 +3699,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3666,7 +3742,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3674,7 +3750,7 @@ Output: WelcomeViewStep - + Welcome @@ -3703,6 +3779,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3748,6 +3844,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3799,27 +3913,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_uz.ts b/lang/calamares_uz.ts index aa65f2134..11dec16dd 100644 --- a/lang/calamares_uz.ts +++ b/lang/calamares_uz.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up - + Install @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) - + Programmed job failure was explicitly requested. @@ -143,7 +143,7 @@ Calamares::JobThread - + Done @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. - + Run command '%1'. - + Running command %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. - + Bad working directory path - + Working directory %1 for python job %2 is not readable. - + Bad main script file - + Main script file %1 for python job %2 is not readable. - + Boost.Python error in job "%1". @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + + - + Waiting for %n module(s). - + (%n second(s)) - + System-requirements checking is complete. @@ -271,13 +276,13 @@ - + &Yes - + &No @@ -312,108 +317,108 @@ - + Continue with setup? - + Continue with installation? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> - + &Set up now - + &Install now - + Go &back - + &Set up - + &Install - + Setup is complete. Close the setup program. - + The installation is complete. Close the installer. - + Cancel setup without changing the system. - + Cancel installation without changing the system. - + &Next - + &Back - + &Done - + &Cancel - + Cancel setup? - + Cancel installation? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. @@ -422,22 +427,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type - + unparseable Python error - + unparseable Python traceback - + Unfetchable Python error. @@ -454,32 +459,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information - + &Back - + &Next - + &Cancel - + %1 Setup Program - + %1 Installer @@ -676,18 +681,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - + The command needs to know the user's name, but no username is defined. @@ -740,48 +745,48 @@ The installer will quit and all changes will be lost. - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. - - <h1>Welcome to the Calamares setup program for %1.</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> - - <h1>Welcome to %1 setup.</h1> + + <h1>Welcome to %1 setup</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> + + <h1>Welcome to the Calamares installer for %1</h1> - - <h1>Welcome to the %1 installer.</h1> + + <h1>Welcome to the %1 installer</h1> @@ -1219,37 +1224,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information - + Install %1 on <strong>new</strong> %2 system partition. - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. - + Install %2 on %3 system partition <strong>%1</strong>. - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. - + Install boot loader on <strong>%1</strong>. - + Setting up mount points. @@ -1267,32 +1272,32 @@ The installer will quit and all changes will be lost. - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. @@ -1300,27 +1305,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish - + Setup Complete - + Installation Complete - + The setup of %1 is complete. - + The installation of %1 is complete. @@ -1351,72 +1356,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space - + There is not enough drive space. At least %1 GiB is required. - + has at least %1 GiB working memory - + The system does not have enough working memory. At least %1 GiB is required. - + is plugged in to a power source - + The system is not plugged in to a power source. - + is connected to the Internet - + The system is not connected to the Internet. - + is running the installer as an administrator (root) - + The setup program is not running with administrator rights. - + The installer is not running with administrator rights. - + has a screen large enough to show the whole installer - + The screen is too small to display the setup program. - + The screen is too small to display the installer. @@ -1764,6 +1769,16 @@ The installer will quit and all changes will be lost. + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1902,6 +1917,19 @@ The installer will quit and all changes will be lost. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2489,107 +2517,107 @@ The installer will quit and all changes will be lost. - + Install %1 <strong>alongside</strong> another operating system. - + <strong>Erase</strong> disk and install %1. - + <strong>Replace</strong> a partition with %1. - + <strong>Manual</strong> partitioning. - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). - + Disk <strong>%1</strong> (%2) - + Current: - + After: - + No EFI system partition configured - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. - + EFI system partition flag not set - + Option to use GPT on BIOS - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. - + Boot partition not encrypted - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. - + has at least one disk device available. - + There are no partitions to install on. @@ -2655,65 +2683,65 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. - + Output: - + External command crashed. - + Command <i>%1</i> crashed. - + External command failed to start. - + Command <i>%1</i> failed to start. - + Internal error when starting command. - + Bad parameters for process job call. - + External command failed to finish. - + Command <i>%1</i> failed to finish in %2 seconds. - + External command finished with errors. - + Command <i>%1</i> finished with exit code %2. @@ -2721,32 +2749,27 @@ Output: QObject - + %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - - - - + unknown - + extended - + unformatted - + swap @@ -2800,6 +2823,15 @@ Output: + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2835,73 +2867,88 @@ Output: - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. - + The selected item does not appear to be a valid partition. - + %1 cannot be installed on empty space. Please select an existing partition. - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. - + %1 cannot be installed on this partition. - + Data partition (%1) - + Unknown system partition (%1) - + %1 system partition (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. - + The EFI system partition at %1 will be used for starting %2. - + EFI system partition: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3024,12 +3071,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: - + System requirements @@ -3037,27 +3084,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. - + This program will ask you some questions and set up %2 on your computer. @@ -3340,51 +3387,80 @@ Output: TrackingInstallJob - + Installation feedback - + Sending installation feedback. - + Internal error in install-tracking. - + HTTP request timed out. - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback - + Configuring machine feedback. - - + + Error in machine feedback configuration. - + Could not configure machine feedback correctly, script error %1. - + Could not configure machine feedback correctly, Calamares error %1. @@ -3403,7 +3479,7 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> @@ -3412,30 +3488,30 @@ Output: - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. TrackingViewStep - + Feedback @@ -3621,42 +3697,42 @@ Output: - + <h1>Welcome to the Calamares setup program for %1.</h1> - + <h1>Welcome to %1 setup.</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> - + <h1>Welcome to the %1 installer.</h1> - + %1 support - + About %1 setup - + About %1 installer - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3664,7 +3740,7 @@ Output: WelcomeQmlViewStep - + Welcome @@ -3672,7 +3748,7 @@ Output: WelcomeViewStep - + Welcome @@ -3701,6 +3777,26 @@ Output: + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + + + keyboardq @@ -3746,6 +3842,24 @@ Output: + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3797,27 +3911,27 @@ Output: - + About - + Support - + Known issues - + Release notes - + Donate diff --git a/lang/calamares_zh_CN.ts b/lang/calamares_zh_CN.ts index 7467aa120..943cbfe9e 100644 --- a/lang/calamares_zh_CN.ts +++ b/lang/calamares_zh_CN.ts @@ -118,12 +118,12 @@ Calamares::ExecutionViewStep - + Set up 建立 - + Install 安装 @@ -131,12 +131,12 @@ Calamares::FailJob - + Job failed (%1) 任务失败(%1) - + Programmed job failure was explicitly requested. 出现明确抛出的任务执行失败。 @@ -144,7 +144,7 @@ Calamares::JobThread - + Done 完成 @@ -152,7 +152,7 @@ Calamares::NamedJob - + Example job (%1) 示例任务 (%1) @@ -160,17 +160,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. 在目标系统上执行 '%1'。 - + Run command '%1'. 运行命令 '%1'. - + Running command %1 %2 正在运行命令 %1 %2 @@ -178,32 +178,32 @@ Calamares::PythonJob - + Running %1 operation. 正在运行 %1 个操作。 - + Bad working directory path 错误的工作目录路径 - + Working directory %1 for python job %2 is not readable. 用于 python 任务 %2 的工作目录 %1 不可读。 - + Bad main script file 错误的主脚本文件 - + Main script file %1 for python job %2 is not readable. 用于 python 任务 %2 的主脚本文件 %1 不可读。 - + Boost.Python error in job "%1". 任务“%1”出现 Boost.Python 错误。 @@ -228,22 +228,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + 模块<i>%1</i>的需求检查已完成。 + - + Waiting for %n module(s). 等待 %n 模块。 - + (%n second(s)) (%n 秒) - + System-requirements checking is complete. 已经完成系统需求检查。 @@ -272,13 +277,13 @@ - + &Yes &是 - + &No &否 @@ -313,109 +318,109 @@ <br/>无法加载以下模块: - + Continue with setup? 要继续安装吗? - + Continue with installation? 继续安装? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> 为了安装%2, %1 安装程序即将对磁盘进行更改。<br/><strong>这些更改无法撤销。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 安装程序将在您的磁盘上做出变更以安装 %2。<br/><strong>您将无法复原这些变更。</strong> - + &Set up now 现在安装(&S) - + &Install now 现在安装 (&I) - + Go &back 返回 (&B) - + &Set up 安装(&S) - + &Install 安装(&I) - + Setup is complete. Close the setup program. 安装完成。关闭安装程序。 - + The installation is complete. Close the installer. 安装已完成。请关闭安装程序。 - + Cancel setup without changing the system. 取消安装,保持系统不变。 - + Cancel installation without changing the system. 取消安装,并不做任何更改。 - + &Next 下一步(&N) - + &Back 后退(&B) - + &Done &完成 - + &Cancel 取消(&C) - + Cancel setup? 取消安装? - + Cancel installation? 取消安装? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 确定要取消当前安装吗? 安装程序将会退出,所有修改都会丢失。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 确定要取消当前的安装吗? @@ -425,22 +430,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type 未知异常类型 - + unparseable Python error 无法解析的 Python 错误 - + unparseable Python traceback 无法解析的 Python 回溯 - + Unfetchable Python error. 无法获取的 Python 错误。 @@ -458,32 +463,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information 显示调试信息 - + &Back 后退(&B) - + &Next 下一步(&N) - + &Cancel 取消(&C) - + %1 Setup Program %1 安装程序 - + %1 Installer %1 安装程序 @@ -680,18 +685,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. 无法运行命令 - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. 该命令在主机环境中运行,且需要知道根路径,但没有定义root挂载点。 - + The command needs to know the user's name, but no username is defined. 命令行需要知道用户的名字,但用户名没有被设置 @@ -744,51 +749,51 @@ The installer will quit and all changes will be lost. 网络安装。(已禁用:无法获取软件包列表,请检查网络连接) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 此计算机不满足安装 %1 的某些推荐配置。 安装可以继续,但是一些特性可能被禁用。 - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 此电脑未满足安装 %1 的最低需求。<br/>安装无法继续。<a href="#details">详细信息...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 此计算机不满足安装 %1 的某些推荐配置。 安装可以继续,但是一些特性可能被禁用。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 此电脑未满足一些安装 %1 的推荐需求。<br/>可以继续安装,但一些功能可能会被停用。 - + This program will ask you some questions and set up %2 on your computer. 本程序将会问您一些问题并在您的电脑上安装及设置 %2 。 - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>欢迎使用 %1 的 Calamares 安装程序。</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + - - <h1>Welcome to %1 setup.</h1> - <h1>欢迎使用 %1 安装程序。</h1> + + <h1>Welcome to %1 setup</h1> + - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>欢迎使用 Calamares 安装程序 - %1。</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + - - <h1>Welcome to the %1 installer.</h1> - <h1>欢迎使用 %1 安装程序。</h1> + + <h1>Welcome to the %1 installer</h1> + @@ -1226,37 +1231,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information 设置分区信息 - + Install %1 on <strong>new</strong> %2 system partition. 在 <strong>新的</strong>系统分区 %2 上安装 %1。 - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. 设置 <strong>新的</strong> 含挂载点 <strong>%1</strong> 的 %2 分区。 - + Install %2 on %3 system partition <strong>%1</strong>. 在 %3 系统割区 <strong>%1</strong> 上安装 %2。 - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. 为分区 %3 <strong>%1</strong> 设置挂载点 <strong>%2</strong>。 - + Install boot loader on <strong>%1</strong>. 在 <strong>%1</strong>上安装引导程序。 - + Setting up mount points. 正在设置挂载点。 @@ -1274,32 +1279,32 @@ The installer will quit and all changes will be lost. 现在重启(&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>安装成功!</h1><br/>%1 已安装在您的电脑上了。<br/>您现在可以重新启动到新系统。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>当选中此项时,系统会在您关闭安装器或点击 <span style=" font-style:italic;">完成</span> 按钮时立即重启</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>安装成功!</h1><br/>%1 已安装在您的电脑上了。<br/>您现在可以重新启动到新系统,或是继续使用 %2 Live 环境。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>当选中此项时,系统会在您关闭安装器或点击 <span style=" font-style:italic;">完成</span> 按钮时立即重启</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>安装失败</h1><br/>%1 未在你的电脑上安装。<br/>错误信息:%2。 - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>安装失败</h1><br/>%1 未在你的电脑上安装。<br/>错误信息:%2。 @@ -1307,27 +1312,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish 结束 - + Setup Complete 安装完成 - + Installation Complete 安装完成 - + The setup of %1 is complete. %1 安装完成。 - + The installation of %1 is complete. %1 的安装操作已完成。 @@ -1358,72 +1363,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space 有至少 %1 GB 可用磁盘空间 - + There is not enough drive space. At least %1 GiB is required. 没有足够的磁盘空间。至少需要 %1 GB。 - + has at least %1 GiB working memory 至少 %1 GB 可用内存 - + The system does not have enough working memory. At least %1 GiB is required. 系统没有足够的内存。至少需要 %1 GB。 - + is plugged in to a power source 已连接到电源 - + The system is not plugged in to a power source. 系统未连接到电源。 - + is connected to the Internet 已连接到互联网 - + The system is not connected to the Internet. 系统未连接到互联网。 - + is running the installer as an administrator (root) 正以管理员(root)权限运行安装器 - + The setup program is not running with administrator rights. 安装器未以管理员权限运行 - + The installer is not running with administrator rights. 安装器未以管理员权限运行 - + has a screen large enough to show the whole installer 有一个足够大的屏幕来显示整个安装器 - + The screen is too small to display the setup program. 屏幕太小无法显示安装程序。 - + The screen is too small to display the installer. 屏幕不能完整显示安装器。 @@ -1771,6 +1776,16 @@ The installer will quit and all changes will be lost. MachineId未配置根挂载点/ + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + + + NetInstallViewStep @@ -1909,6 +1924,19 @@ The installer will quit and all changes will be lost. 设置OEM批量标识为 <code>%1</code>. + + Offline + + + Timezone: %1 + + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + + + PWQ @@ -2496,107 +2524,107 @@ The installer will quit and all changes will be lost. 分区 - + Install %1 <strong>alongside</strong> another operating system. 将 %1 安装在其他操作系统<strong>旁边</strong>。 - + <strong>Erase</strong> disk and install %1. <strong>抹除</strong>磁盘并安装 %1。 - + <strong>Replace</strong> a partition with %1. 以 %1 <strong>替代</strong>一个分区。 - + <strong>Manual</strong> partitioning. <strong>手动</strong>分区 - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). 将 %1 安装在磁盘 <strong>%2</strong> (%3) 上的另一个操作系统<strong>旁边</strong>。 - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>抹除</strong> 磁盘 <strong>%2</strong> (%3) 并且安装 %1。 - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. 以 %1 <strong>替代</strong> 一个在磁盘 <strong>%2</strong> (%3) 上的分区。 - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). 在磁盘 <strong>%1</strong> (%2) 上<strong>手动</strong>分区。 - + Disk <strong>%1</strong> (%2) 磁盘 <strong>%1</strong> (%2) - + Current: 当前: - + After: 之后: - + No EFI system partition configured 未配置 EFI 系统分区 - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. 必须有 EFI 系统分区才能启动 %1 。<br/><br/>要配置 EFI 系统分区,后退一步,然后创建或选中一个 FAT32 分区并为之设置 <strong>%3</strong> 标记及挂载点 <strong>%2</strong>。<br/><br/>你可以不创建 EFI 系统分区并继续安装,但是你的系统可能无法启动。 - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. 必须有 EFI 系统分区才能启动 %1 。<br/><br/>已有挂载点为 <strong>%2</strong> 的分区,但是未设置 <strong>%3</strong> 标记。<br/>要设置此标记,后退并编辑分区。<br/><br/>你可以不创建 EFI 系统分区并继续安装,但是你的系统可能无法启动。 - + EFI system partition flag not set 未设置 EFI 系统分区标记 - + Option to use GPT on BIOS 在 BIOS 上使用 GPT - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT 分区表对于所有系统来说都是最佳选项。本安装程序支持在 BIOS 模式下设置 GPT 分区表。<br/><br/>要在 BIOS 模式下配置 GPT 分区表,(若你尚未配置好)返回并设置分区表为 GPT,然后创建一个 8MB 的、未经格式化的、启用<strong>bios_grub</strong> 标记的分区。<br/><br/>一个未格式化的 8MB 的分区对于在 BIOS 模式下使用 GPT 启动 %1 来说是非常有必要的。 - + Boot partition not encrypted 引导分区未加密 - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. 您尝试用单独的引导分区配合已加密的根分区使用,但引导分区未加密。<br/><br/>这种配置方式可能存在安全隐患,因为重要的系统文件存储在了未加密的分区上。<br/>您可以继续保持此配置,但是系统解密将在系统启动时而不是引导时进行。<br/>要加密引导分区,请返回上一步并重新创建此分区,并在分区创建窗口选中 <strong>加密</strong> 选项。 - + has at least one disk device available. 有至少一个可用的磁盘设备。 - + There are no partitions to install on. 无可用于安装的分区。 @@ -2662,14 +2690,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 命令没有输出。 - + Output: @@ -2678,52 +2706,52 @@ Output: - + External command crashed. 外部命令已崩溃。 - + Command <i>%1</i> crashed. 命令 <i>%1</i> 已崩溃。 - + External command failed to start. 无法启动外部命令。 - + Command <i>%1</i> failed to start. 无法启动命令 <i>%1</i>。 - + Internal error when starting command. 启动命令时出现内部错误。 - + Bad parameters for process job call. 呼叫进程任务出现错误参数 - + External command failed to finish. 外部命令未成功完成。 - + Command <i>%1</i> failed to finish in %2 seconds. 命令 <i>%1</i> 未能在 %2 秒内完成。 - + External command finished with errors. 外部命令已完成,但出现了错误。 - + Command <i>%1</i> finished with exit code %2. 命令 <i>%1</i> 以退出代码 %2 完成。 @@ -2731,32 +2759,27 @@ Output: QObject - + %1 (%2) %1(%2) - - Requirements checking for module <i>%1</i> is complete. - 模块<i>%1</i>的需求检查已完成。 - - - + unknown 未知 - + extended 扩展分区 - + unformatted 未格式化 - + swap 临时存储空间 @@ -2810,6 +2833,15 @@ Output: 尚未分区的空间或分区表未知 + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + RemoveUserJob @@ -2845,73 +2877,88 @@ Output: 表单 - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. <b>选择要安装 %1 的地方。</b><br/><font color="red">警告:</font>这将会删除所有已选取的分区上的文件。 - + The selected item does not appear to be a valid partition. 选中项似乎不是有效分区。 - + %1 cannot be installed on empty space. Please select an existing partition. 无法在空白空间中安装 %1。请选取一个存在的分区。 - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. 无法在拓展分区上安装 %1。请选取一个存在的主要或逻辑分区。 - + %1 cannot be installed on this partition. 无法安装 %1 到此分区。 - + Data partition (%1) 数据分区 (%1) - + Unknown system partition (%1) 未知系统分区 (%1) - + %1 system partition (%2) %1 系统分区 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>分区 %1 对 %2 来说太小了。请选取一个容量至少有 %3 GiB 的分区。 - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>在此系统上找不到任何 EFI 系统分区。请后退到上一步并使用手动分区配置 %1。 - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>即将安装 %1 到 %2 上。<br/><font color="red">警告: </font>分区 %2 上的所有数据都将丢失。 - + The EFI system partition at %1 will be used for starting %2. 将使用 %1 处的 EFI 系统分区启动 %2。 - + EFI system partition: EFI 系统分区: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + + + ResizeFSJob @@ -3034,12 +3081,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: 为了更好的体验,请确保这台电脑: - + System requirements 系统需求 @@ -3047,29 +3094,29 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 此计算机不满足安装 %1 的某些推荐配置。 安装可以继续,但是一些特性可能被禁用。 - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 此电脑未满足安装 %1 的最低需求。<br/>安装无法继续。<a href="#details">详细信息...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 此计算机不满足安装 %1 的某些推荐配置。 安装可以继续,但是一些特性可能被禁用。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 此电脑未满足一些安装 %1 的推荐需求。<br/>可以继续安装,但一些功能可能会被停用。 - + This program will ask you some questions and set up %2 on your computer. 本程序将会问您一些问题并在您的电脑上安装及设置 %2 。 @@ -3352,51 +3399,80 @@ Output: TrackingInstallJob - + Installation feedback 安装反馈 - + Sending installation feedback. 发送安装反馈。 - + Internal error in install-tracking. 在 install-tracking 步骤发生内部错误。 - + HTTP request timed out. HTTP 请求超时。 - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + + + + + Configuring KDE user feedback. + + + + + + Error in KDE user feedback configuration. + + - + + Could not configure KDE user feedback correctly, script error %1. + + + + + Could not configure KDE user feedback correctly, Calamares error %1. + + + + + TrackingMachineUpdateManagerJob + + Machine feedback 机器反馈 - + Configuring machine feedback. 正在配置机器反馈。 - - + + Error in machine feedback configuration. 机器反馈配置中存在错误。 - + Could not configure machine feedback correctly, script error %1. 无法正确配置机器反馈,脚本错误代码 %1。 - + Could not configure machine feedback correctly, Calamares error %1. 无法正确配置机器反馈,Calamares 错误代码 %1。 @@ -3415,8 +3491,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>选中此项时,不会发送关于安装的 <span style=" font-weight:600;">no information at all</span>。</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + @@ -3424,30 +3500,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">点击此处以获取关于用户反馈的详细信息</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - 安装跟踪可帮助 %1 获取关于用户数量,安装 %1 的硬件(选中下方最后两项)及长期以来受欢迎应用程序的信息。请点按每项旁的帮助图标以查看即将被发送的信息。 + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - 选中此项时,安装器将发送关于安装过程和硬件的信息。该信息只会在安装结束后 <b>发送一次</b>。 + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - 选中此项时,安装器将给 %1 <b>定时</b> 发送关于安装进程,硬件及应用程序的信息。 + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - 选中此项时,安装器和系统将给 %1 <b>定时</b> 发送关于安装进程,硬件,应用程序及使用规律的信息。 + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + TrackingViewStep - + Feedback 反馈 @@ -3633,42 +3709,42 @@ Output: 发行注记(&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>欢迎使用 %1 的 Calamares 安装程序。</h1> - + <h1>Welcome to %1 setup.</h1> <h1>欢迎使用 %1 安装程序。</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>欢迎使用 Calamares 安装程序 - %1。</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>欢迎使用 %1 安装程序。</h1> - + %1 support %1 的支持信息 - + About %1 setup 关于 %1 安装程序 - + About %1 installer 关于 %1 安装程序 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>致谢 <a href="https://calamares.io/team/">Calamares开发团队和<a href="https://www.transifex.com/calamares/calamares/">Calamares 翻译团队</a>。<br/><br/><a href="https://calamares.io/">Calamares</a> 开发赞助来自 <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. @@ -3676,7 +3752,7 @@ Output: WelcomeQmlViewStep - + Welcome 欢迎 @@ -3684,7 +3760,7 @@ Output: WelcomeViewStep - + Welcome 欢迎 @@ -3724,6 +3800,26 @@ Output: 后退 + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + + + + + Back + 后退 + + keyboardq @@ -3769,6 +3865,24 @@ Output: 测试您的键盘 + + localeq + + + System language set to %1 + + + + + Numbers and dates locale set to %1 + + + + + Change + + + notesqml @@ -3843,27 +3957,27 @@ Output: <p>这个程序将询问您一些问题并在您的计算机上安装 %1。</p> - + About 关于 - + Support 支持 - + Known issues 已知问题 - + Release notes 发行说明 - + Donate 捐赠 diff --git a/lang/calamares_zh_TW.ts b/lang/calamares_zh_TW.ts index 51f244389..337431a0b 100644 --- a/lang/calamares_zh_TW.ts +++ b/lang/calamares_zh_TW.ts @@ -117,12 +117,12 @@ Calamares::ExecutionViewStep - + Set up 設定 - + Install 安裝 @@ -130,12 +130,12 @@ Calamares::FailJob - + Job failed (%1) 排程失敗 (%1) - + Programmed job failure was explicitly requested. 明確要求程式化排程失敗。 @@ -143,7 +143,7 @@ Calamares::JobThread - + Done 完成 @@ -151,7 +151,7 @@ Calamares::NamedJob - + Example job (%1) 範例排程 (%1) @@ -159,17 +159,17 @@ Calamares::ProcessJob - + Run command '%1' in target system. 在目標系統中執行指令「%1」。 - + Run command '%1'. 執行指令「%1」。 - + Running command %1 %2 正在執行命令 %1 %2 @@ -177,32 +177,32 @@ Calamares::PythonJob - + Running %1 operation. 正在執行 %1 操作。 - + Bad working directory path 不良的工作目錄路徑 - + Working directory %1 for python job %2 is not readable. Python 行程 %2 作用中的目錄 %1 不具讀取權限。 - + Bad main script file 錯誤的主要腳本檔 - + Main script file %1 for python job %2 is not readable. Python 行程 %2 的主要腳本檔 %1 無法讀取。 - + Boost.Python error in job "%1". 行程 %1 中 Boost.Python 錯誤。 @@ -227,22 +227,27 @@ Calamares::RequirementsChecker + + + Requirements checking for module <i>%1</i> is complete. + 模組 <i>%1</i> 需求檢查完成。 + - + Waiting for %n module(s). 正在等待 %n 個模組。 - + (%n second(s)) (%n 秒) - + System-requirements checking is complete. 系統需求檢查完成。 @@ -271,13 +276,13 @@ - + &Yes 是(&Y) - + &No 否(&N) @@ -312,109 +317,109 @@ <br/>以下的模組無法載入: - + Continue with setup? 繼續安裝? - + Continue with installation? 繼續安裝? - + The %1 setup program is about to make changes to your disk in order to set up %2.<br/><strong>You will not be able to undo these changes.</strong> %1 設定程式將在您的磁碟上做出變更以設定 %2。<br/><strong>您將無法復原這些變更。</strong> - + The %1 installer is about to make changes to your disk in order to install %2.<br/><strong>You will not be able to undo these changes.</strong> %1 安裝程式將在您的磁碟上做出變更以安裝 %2。<br/><strong>您將無法復原這些變更。</strong> - + &Set up now 馬上進行設定 (&S) - + &Install now 現在安裝 (&I) - + Go &back 上一步 (&B) - + &Set up 設定 (&S) - + &Install 安裝(&I) - + Setup is complete. Close the setup program. 設定完成。關閉設定程式。 - + The installation is complete. Close the installer. 安裝完成。關閉安裝程式。 - + Cancel setup without changing the system. 取消安裝,不更改系統。 - + Cancel installation without changing the system. 不變更系統並取消安裝。 - + &Next 下一步 (&N) - + &Back 返回 (&B) - + &Done 完成(&D) - + &Cancel 取消(&C) - + Cancel setup? 取消設定? - + Cancel installation? 取消安裝? - + Do you really want to cancel the current setup process? The setup program will quit and all changes will be lost. 真的想要取消目前的設定程序嗎? 設定程式將會結束,所有變更都將會遺失。 - + Do you really want to cancel the current install process? The installer will quit and all changes will be lost. 您真的想要取消目前的安裝程序嗎? @@ -424,22 +429,22 @@ The installer will quit and all changes will be lost. CalamaresPython::Helper - + Unknown exception type 未知的例外型別 - + unparseable Python error 無法解析的 Python 錯誤 - + unparseable Python traceback 無法解析的 Python 回溯紀錄 - + Unfetchable Python error. 無法讀取的 Python 錯誤。 @@ -457,32 +462,32 @@ The installer will quit and all changes will be lost. CalamaresWindow - + Show debug information 顯示除錯資訊 - + &Back 返回 (&B) - + &Next 下一步 (&N) - + &Cancel 取消(&C) - + %1 Setup Program %1 設定程式 - + %1 Installer %1 安裝程式 @@ -679,18 +684,18 @@ The installer will quit and all changes will be lost. CommandList - - + + Could not run command. 無法執行指令。 - + The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. 指令執行於主機環境中,且需要知道根路徑,但根掛載點未定義。 - + The command needs to know the user's name, but no username is defined. 指令需要知道使用者名稱,但是使用者名稱未定義。 @@ -743,49 +748,49 @@ The installer will quit and all changes will be lost. 網路安裝。(已停用:無法擷取軟體包清單,請檢查您的網路連線) - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 此電腦未滿足安裝 %1 的最低配備。<br/>設定無法繼續。<a href="#details">詳細資訊...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。<a href="#details">詳細資訊...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 此電腦未滿足一些安裝 %1 的推薦需求。<br/>設定可以繼續,但部份功能可能會被停用。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 此電腦未滿足一些安裝 %1 的推薦需求。<br/>安裝可以繼續,但部份功能可能會被停用。 - + This program will ask you some questions and set up %2 on your computer. 本程式會問您一些問題,然後在您的電腦安裝及設定 %2。 - - <h1>Welcome to the Calamares setup program for %1.</h1> - <h1>歡迎使用 %1 的 Calamares 安裝程式。</h1> + + <h1>Welcome to the Calamares setup program for %1</h1> + <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> - - <h1>Welcome to %1 setup.</h1> - <h1>歡迎使用 %1 安裝程式。</h1> + + <h1>Welcome to %1 setup</h1> + <h1>歡迎使用 %1 安裝程式</h1> - - <h1>Welcome to the Calamares installer for %1.</h1> - <h1>歡迎使用 %1 的 Calamares 安裝程式。</h1> + + <h1>Welcome to the Calamares installer for %1</h1> + <h1>歡迎使用 %1 的 Calamares 安裝程式</h1> - - <h1>Welcome to the %1 installer.</h1> - <h1>歡迎使用 %1 安裝程式。</h1> + + <h1>Welcome to the %1 installer</h1> + <h1>歡迎使用 %1 安裝程式</h1> @@ -1222,37 +1227,37 @@ The installer will quit and all changes will be lost. FillGlobalStorageJob - + Set partition information 設定分割區資訊 - + Install %1 on <strong>new</strong> %2 system partition. 在 <strong>新的</strong>系統分割區 %2 上安裝 %1。 - + Set up <strong>new</strong> %2 partition with mount point <strong>%1</strong>. 設定 <strong>新的</strong> 不含掛載點 <strong>%1</strong> 的 %2 分割區。 - + Install %2 on %3 system partition <strong>%1</strong>. 在 %3 系統分割區 <strong>%1</strong> 上安裝 %2。 - + Set up %3 partition <strong>%1</strong> with mount point <strong>%2</strong>. 為分割區 %3 <strong>%1</strong> 設定掛載點 <strong>%2</strong>。 - + Install boot loader on <strong>%1</strong>. 安裝開機載入器於 <strong>%1</strong>。 - + Setting up mount points. 正在設定掛載點。 @@ -1270,32 +1275,32 @@ The installer will quit and all changes will be lost. 現在重新啟動 (&R) - + <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. <h1>都完成了。</h1><br/>%1 已經在您的電腦上設定好了。<br/>您現在可能會想要開始使用您的新系統。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> <html><head/><body><p>當這個勾選框被選取時,您的系統將會在按下<span style="font-style:italic;">完成</span>或關閉設定程式時立刻重新啟動。</p></body></html> - + <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. <h1>都完成了。</h1><br/>%1 已經安裝在您的電腦上了。<br/>您現在可能會想要重新啟動到您的新系統中,或是繼續使用 %2 Live 環境。 - + <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the installer.</p></body></html> <html><head/><body><p>當這個勾選框被選取時,您的系統將會在按下<span style="font-style:italic;">完成</span>或關閉安裝程式時立刻重新啟動。</p></body></html> - + <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. <h1>設定失敗</h1><br/>%1 並未在您的電腦設定好。<br/>錯誤訊息為:%2。 - + <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. <h1>安裝失敗</h1><br/>%1 並未安裝到您的電腦上。<br/>錯誤訊息為:%2。 @@ -1303,27 +1308,27 @@ The installer will quit and all changes will be lost. FinishedViewStep - + Finish 完成 - + Setup Complete 設定完成 - + Installation Complete 安裝完成 - + The setup of %1 is complete. %1 的設定完成。 - + The installation of %1 is complete. %1 的安裝已完成。 @@ -1354,72 +1359,72 @@ The installer will quit and all changes will be lost. GeneralRequirements - + has at least %1 GiB available drive space 有至少 %1 GiB 的可用磁碟空間 - + There is not enough drive space. At least %1 GiB is required. 沒有足夠的磁碟空間。至少需要 %1 GiB。 - + has at least %1 GiB working memory 有至少 %1 GiB 的可用記憶體 - + The system does not have enough working memory. At least %1 GiB is required. 系統沒有足夠的記憶體。至少需要 %1 GiB。 - + is plugged in to a power source 已插入外接電源 - + The system is not plugged in to a power source. 系統未插入外接電源。 - + is connected to the Internet 已連上網際網路 - + The system is not connected to the Internet. 系統未連上網際網路 - + is running the installer as an administrator (root) 以管理員 (root) 權限執行安裝程式 - + The setup program is not running with administrator rights. 設定程式並未以管理員權限執行。 - + The installer is not running with administrator rights. 安裝程式並未以管理員權限執行。 - + has a screen large enough to show the whole installer 螢幕夠大,可以顯示整個安裝程式 - + The screen is too small to display the setup program. 螢幕太小了,沒辦法顯示設定程式。 - + The screen is too small to display the installer. 螢幕太小了,沒辦法顯示安裝程式。 @@ -1767,6 +1772,18 @@ The installer will quit and all changes will be lost. 未為 MachineId 設定根掛載點。 + + Map + + + Please select your preferred location on the map so the installer can suggest the locale + and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging + to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. + 請在地圖上選取您的偏好位置,這樣安裝程式就可以為您建議 + 語系與時區。您可以在下面微調建議的設定。透過拖曳來移動地圖, + 並使用 +/- 按鈕來縮放,或是使用滑鼠滾輪來縮放。 + + NetInstallViewStep @@ -1905,6 +1922,19 @@ The installer will quit and all changes will be lost. 設定 OEM 批次識別符號為 <code>%1</code>。 + + Offline + + + Timezone: %1 + 時區:%1 + + + + To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. + 要選取時居,請確保您已連線到網際網路。並在連線後重新啟動安裝程式。您可以在下面微調語言與語系設定。 + + PWQ @@ -2492,107 +2522,107 @@ The installer will quit and all changes will be lost. 分割區 - + Install %1 <strong>alongside</strong> another operating system. 將 %1 安裝在其他作業系統<strong>旁邊</strong>。 - + <strong>Erase</strong> disk and install %1. <strong>抹除</strong>磁碟並安裝 %1。 - + <strong>Replace</strong> a partition with %1. 以 %1 <strong>取代</strong>一個分割區。 - + <strong>Manual</strong> partitioning. <strong>手動</strong>分割 - + Install %1 <strong>alongside</strong> another operating system on disk <strong>%2</strong> (%3). 將 %1 安裝在磁碟 <strong>%2</strong> (%3) 上的另一個作業系統<strong>旁邊</strong>。 - + <strong>Erase</strong> disk <strong>%2</strong> (%3) and install %1. <strong>抹除</strong> 磁碟 <strong>%2</strong> (%3) 並且安裝 %1。 - + <strong>Replace</strong> a partition on disk <strong>%2</strong> (%3) with %1. 以 %1 <strong>取代</strong> 一個在磁碟 <strong>%2</strong> (%3) 上的分割區。 - + <strong>Manual</strong> partitioning on disk <strong>%1</strong> (%2). 在磁碟 <strong>%1</strong> (%2) 上<strong>手動</strong>分割。 - + Disk <strong>%1</strong> (%2) 磁碟 <strong>%1</strong> (%2) - + Current: 目前: - + After: 之後: - + No EFI system partition configured 未設定 EFI 系統分割區 - + An EFI system partition is necessary to start %1.<br/><br/>To configure an EFI system partition, go back and select or create a FAT32 filesystem with the <strong>%3</strong> flag enabled and mount point <strong>%2</strong>.<br/><br/>You can continue without setting up an EFI system partition but your system may fail to start. 需要 EFI 系統分割區以啟動 %1。<br/><br/>要設定 EFI 系統分割區,回到上一步並選取或建立一個包含啟用 <strong>%3</strong> 旗標以及掛載點位於 <strong>%2</strong> 的 FAT32 檔案系統。<br/><br/>您也可以不設定 EFI 系統分割區並繼續,但是您的系統可能會無法啟動。 - + An EFI system partition is necessary to start %1.<br/><br/>A partition was configured with mount point <strong>%2</strong> but its <strong>%3</strong> flag is not set.<br/>To set the flag, go back and edit the partition.<br/><br/>You can continue without setting the flag but your system may fail to start. 需要 EFI 系統分割區以啟動 %1。<br/><br/>有一個分割區的掛載點設定為 <strong>%2</strong>,但未設定 <strong>%3</strong> 旗標。<br/>要設定此旗標,回到上一步並編輯分割區。<br/><br/>您也可以不設定旗標並繼續,但您的系統可能會無法啟動。 - + EFI system partition flag not set 未設定 EFI 系統分割區旗標 - + Option to use GPT on BIOS 在 BIOS 上使用 GPT 的選項 - + A GPT partition table is the best option for all systems. This installer supports such a setup for BIOS systems too.<br/><br/>To configure a GPT partition table on BIOS, (if not done so already) go back and set the partition table to GPT, next create a 8 MB unformatted partition with the <strong>bios_grub</strong> flag enabled.<br/><br/>An unformatted 8 MB partition is necessary to start %1 on a BIOS system with GPT. GPT 分割表對所有系統都是最佳選項。此安裝程式同時也支援 BIOS 系統。<br/><br/>要在 BIOS 上設定 GPT 分割表,(如果還沒有完成的話)請回上一步並將分割表設定為 GPT,然後建立 8 MB 的未格式化分割區,並啟用 <strong>bios_grub</strong> 旗標。<br/>要在 BIOS 系統上使用 GPT 分割區啟動 %1 則必須使用未格式化的 8MB 分割區。 - + Boot partition not encrypted 開機分割區未加密 - + A separate boot partition was set up together with an encrypted root partition, but the boot partition is not encrypted.<br/><br/>There are security concerns with this kind of setup, because important system files are kept on an unencrypted partition.<br/>You may continue if you wish, but filesystem unlocking will happen later during system startup.<br/>To encrypt the boot partition, go back and recreate it, selecting <strong>Encrypt</strong> in the partition creation window. 設定了單獨的開機分割區以及加密的根分割區,但是開機分割區並不會被加密。<br/><br/>這種設定可能會造成安全問題,因為重要的系統檔案是放在未加密的分割區中。<br/>您也可以繼續,但是檔案系統的解鎖會在系統啟動後才發生。<br/>要加密開機分割區,回到上一頁並重新建立它,並在分割區建立視窗選取<strong>加密</strong>。 - + has at least one disk device available. 有至少一個可用的磁碟裝置。 - + There are no partitions to install on. 沒有可用於安裝的分割區。 @@ -2658,14 +2688,14 @@ The installer will quit and all changes will be lost. ProcessResult - + There was no output from the command. 指令沒有輸出。 - + Output: @@ -2674,52 +2704,52 @@ Output: - + External command crashed. 外部指令當機。 - + Command <i>%1</i> crashed. 指令 <i>%1</i> 已當機。 - + External command failed to start. 外部指令啟動失敗。 - + Command <i>%1</i> failed to start. 指令 <i>%1</i> 啟動失敗。 - + Internal error when starting command. 當啟動指令時發生內部錯誤。 - + Bad parameters for process job call. 呼叫程序的參數無效。 - + External command failed to finish. 外部指令結束失敗。 - + Command <i>%1</i> failed to finish in %2 seconds. 指令 <i>%1</i> 在結束 %2 秒內失敗。 - + External command finished with errors. 外部指令結束時發生錯誤。 - + Command <i>%1</i> finished with exit code %2. 指令 <i>%1</i> 結束時有錯誤碼 %2。 @@ -2727,32 +2757,27 @@ Output: QObject - + %1 (%2) %1 (%2) - - Requirements checking for module <i>%1</i> is complete. - 模組 <i>%1</i> 需求檢查完成。 - - - + unknown 未知 - + extended 延伸分割區 - + unformatted 未格式化 - + swap swap @@ -2806,6 +2831,16 @@ Output: 尚未分割的空間或是不明的分割表 + + Recommended + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>此電腦未滿足部份安裝 %1 的建議系統需求。<br/> + 可以繼續安裝,但某些功能可能會被停用。</p> + + RemoveUserJob @@ -2841,73 +2876,90 @@ Output: 表單 - + Select where to install %1.<br/><font color="red">Warning: </font>this will delete all files on the selected partition. 選取要在哪裡安裝 %1。<br/><font color="red">警告:</font>這將會刪除所有在選定分割區中的檔案。 - + The selected item does not appear to be a valid partition. 選定的項目似乎不是一個有效的分割區。 - + %1 cannot be installed on empty space. Please select an existing partition. %1 無法在空白的空間中安裝。請選取一個存在的分割區。 - + %1 cannot be installed on an extended partition. Please select an existing primary or logical partition. %1 無法在延伸分割區上安裝。請選取一個存在的主要或邏輯分割區。 - + %1 cannot be installed on this partition. %1 無法在此分割區上安裝。 - + Data partition (%1) 資料分割區 (%1) - + Unknown system partition (%1) 不明的系統分割區 (%1) - + %1 system partition (%2) %1 系統分割區 (%2) - + <strong>%4</strong><br/><br/>The partition %1 is too small for %2. Please select a partition with capacity at least %3 GiB. <strong>%4</strong><br/><br/>分割區 %1 對 %2 來說太小了。請選取一個容量至少有 %3 GiB 的分割區。 - + <strong>%2</strong><br/><br/>An EFI system partition cannot be found anywhere on this system. Please go back and use manual partitioning to set up %1. <strong>%2</strong><br/><br/>在這個系統找不到 EFI 系統分割區。請回到上一步並使用手動分割以設定 %1。 - - - + + + <strong>%3</strong><br/><br/>%1 will be installed on %2.<br/><font color="red">Warning: </font>all data on partition %2 will be lost. <strong>%3</strong><br/><br/>%1 將會安裝在 %2。<br/><font color="red">警告:</font>所有在分割區 %2 的資料都會消失。 - + The EFI system partition at %1 will be used for starting %2. 在 %1 的 EFI 系統分割區將會在開始 %2 時使用。 - + EFI system partition: EFI 系統分割區: + + Requirements + + + <p>This computer does not satisfy the minimum requirements for installing %1.<br/> + Installation cannot continue.</p> + <p>此電腦未滿足安裝 %1 的最低系統需求。<br/> + 無法繼˙續安裝。</p> + + + + <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> + Setup can continue, but some features might be disabled.</p> + <p>此電腦未滿足部份安裝 %1 的建議系統需求。<br/> + 可以繼續安裝,但某些功能可能會被停用。</p> + + ResizeFSJob @@ -3030,12 +3082,12 @@ Output: ResultsListDialog - + For best results, please ensure that this computer: 為了得到最佳的結果,請確保此電腦: - + System requirements 系統需求 @@ -3043,27 +3095,27 @@ Output: ResultsListWidget - + This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> 此電腦未滿足安裝 %1 的最低配備。<br/>設定無法繼續。<a href="#details">詳細資訊...</a> - + This computer does not satisfy the minimum requirements for installing %1.<br/>Installation cannot continue. <a href="#details">Details...</a> 此電腦未滿足安裝 %1 的最低配備。<br/>安裝無法繼續。<a href="#details">詳細資訊...</a> - + This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. 此電腦未滿足一些安裝 %1 的推薦需求。<br/>設定可以繼續,但部份功能可能會被停用。 - + This computer does not satisfy some of the recommended requirements for installing %1.<br/>Installation can continue, but some features might be disabled. 此電腦未滿足一些安裝 %1 的推薦需求。<br/>安裝可以繼續,但部份功能可能會被停用。 - + This program will ask you some questions and set up %2 on your computer. 本程式會問您一些問題,然後在您的電腦安裝及設定 %2。 @@ -3346,51 +3398,80 @@ Output: TrackingInstallJob - + Installation feedback 安裝回饋 - + Sending installation feedback. 傳送安裝回饋 - + Internal error in install-tracking. 在安裝追蹤裡的內部錯誤。 - + HTTP request timed out. HTTP 請求逾時。 - TrackingMachineNeonJob + TrackingKUserFeedbackJob + + + KDE user feedback + KDE 使用者回饋 + + + + Configuring KDE user feedback. + 設定 KDE 使用者回饋。 + + + + + Error in KDE user feedback configuration. + KDE 使用者回饋設定錯誤。 + - + + Could not configure KDE user feedback correctly, script error %1. + 無法正確設定 KDE 使用者回饋,指令稿錯誤 %1。 + + + + Could not configure KDE user feedback correctly, Calamares error %1. + 無法正確設定 KDE 使用者回饋,Calamares 錯誤 %1。 + + + + TrackingMachineUpdateManagerJob + + Machine feedback 機器回饋 - + Configuring machine feedback. 設定機器回饋。 - - + + Error in machine feedback configuration. 在機器回饋設定中的錯誤。 - + Could not configure machine feedback correctly, script error %1. 無法正確設定機器回饋,指令稿錯誤 %1。 - + Could not configure machine feedback correctly, Calamares error %1. 無法正確設定機器回饋,Calamares 錯誤 %1。 @@ -3409,8 +3490,8 @@ Output: - <html><head/><body><p>By selecting this, you will send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - <html><head/><body><p>選取這個,您不會傳送 <span style=" font-weight:600;">任何關於</span> 您安裝的資訊。</p></body></html> + <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> + <html><head/><body><p>點擊此處<span style=" font-weight:600;">不會傳送任何</span>關於您安裝的資訊。</p></body></html> @@ -3418,30 +3499,30 @@ Output: <html><head/><body><p><a href="placeholder"><span style=" text-decoration: underline; color:#2980b9;">點選這裡來取得更多關於使用者回饋的資訊</span></a></p></body></html> - - Install tracking helps %1 to see how many users they have, what hardware they install %1 to and (with the last two options below), get continuous information about preferred applications. To see what will be sent, please click the help icon next to each area. - 安裝追蹤協助 %1 看見他們有多少使用者,用什麼硬體安裝 %1 ,以及(下面的最後兩個選項)取得持續性的資訊,如偏好的應用程式等。要檢視傳送了哪些東西,請點選在每個區域旁邊的說明按鈕。 + + Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. + 追蹤可以協助 %1 檢視其安裝頻率、安裝在什麼硬體上以及使用了哪些應用程式。要檢視會傳送哪些資訊,請點擊每個區域旁的說明按鈕。 - - By selecting this you will send information about your installation and hardware. This information will <b>only be sent once</b> after the installation finishes. - 選取這個後,您將會傳送關於您的安裝與硬體的資訊。這個資訊將<b>只會傳送一次</b>,且在安裝完成後。 + + By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. + 選取這個後,您將會傳送關於您的安裝與硬體的資訊。這個資訊將只會傳送</b>一次</b>,且在安裝完成後。 - - By selecting this you will <b>periodically</b> send information about your installation, hardware and applications, to %1. - 選取這個後,您將會<b>週期性地</b>傳送關於您的安裝、硬體與應用程式的資訊給 %1。 + + By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. + 選取這個後,您將會週期性地傳送關於您的<b>機器</b>安裝、硬體與應用程式的資訊給 %1。 - - By selecting this you will <b>regularly</b> send information about your installation, hardware, applications and usage patterns, to %1. - 選取這個後,您將會<b>經常</b>傳送關於您的安裝、硬體、應用程式與使用模式的資訊給 %1。 + + By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. + 選取這個後,您將會經常傳送關於您的<b>使用者</b>安裝、硬體、應用程式與使用模式的資訊給 %1。 TrackingViewStep - + Feedback 回饋 @@ -3627,42 +3708,42 @@ Output: 發行註記(&R) - + <h1>Welcome to the Calamares setup program for %1.</h1> <h1>歡迎使用 %1 的 Calamares 安裝程式。</h1> - + <h1>Welcome to %1 setup.</h1> <h1>歡迎使用 %1 安裝程式。</h1> - + <h1>Welcome to the Calamares installer for %1.</h1> <h1>歡迎使用 %1 的 Calamares 安裝程式。</h1> - + <h1>Welcome to the %1 installer.</h1> <h1>歡迎使用 %1 安裝程式。</h1> - + %1 support %1 支援 - + About %1 setup 關於 %1 安裝程式 - + About %1 installer 關於 %1 安裝程式 - + <h1>%1</h1><br/><strong>%2<br/>for %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>Thanks to <a href="https://calamares.io/team/">the Calamares team</a> and the <a href="https://www.transifex.com/calamares/calamares/">Calamares translators team</a>.<br/><br/><a href="https://calamares.io/">Calamares</a> development is sponsored by <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software. <h1>%1</h1><br/><strong>%2<br/>為 %3</strong><br/><br/>Copyright 2014-2017 Teo Mrnjavac &lt;teo@kde.org&gt;<br/>Copyright 2017-2020 Adriaan de Groot &lt;groot@kde.org&gt;<br/>感謝 <a href="https://calamares.io/team/">Calamares 團隊</a>與 <a href="https://www.transifex.com/calamares/calamares/">Calamares 翻譯團隊</a>。<br/><br/><a href="https://calamares.io/">Calamares</a> 開發由 <br/><a href="http://www.blue-systems.com/">Blue Systems</a> - Liberating Software 贊助。 @@ -3670,7 +3751,7 @@ Output: WelcomeQmlViewStep - + Welcome 歡迎 @@ -3678,7 +3759,7 @@ Output: WelcomeViewStep - + Welcome 歡迎 @@ -3718,6 +3799,28 @@ Output: 返回 + + i18n + + + <h1>Languages</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>語言</h1> </br> + 系統語系設定會影響某些命令列使用者介面元素的語言與字元集。目前的設定為 <strong>%1</strong>。 + + + + <h1>Locales</h1> </br> + The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. + <h1>語系</h1> </br> + 系統語系設定會影響某些命令列使用者介面元素的語言與字元集。目前的設定為 <strong>%1</strong>。 + + + + Back + 返回 + + keyboardq @@ -3763,6 +3866,24 @@ Output: 測試您的鍵盤 + + localeq + + + System language set to %1 + 系統語言設定為 %1 + + + + Numbers and dates locale set to %1 + 數字與日期語系設定為 %1 + + + + Change + 變更 + + notesqml @@ -3836,27 +3957,27 @@ Output: <p>本程式將會問您一些問題並在您的電腦上安裝及設定 %1。</p> - + About 關於 - + Support 支援 - + Known issues 已知問題 - + Release notes 發行記事 - + Donate 捐助 From 560095d6f42474de851a0b2b9e2d73ac469bf197 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Mon, 22 Jun 2020 17:11:11 -0400 Subject: [PATCH 010/123] i18n: [desktop] Automatic merge of Transifex translations --- calamares.desktop | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/calamares.desktop b/calamares.desktop index 68b70b3de..c385e3c91 100644 --- a/calamares.desktop +++ b/calamares.desktop @@ -21,6 +21,10 @@ Name[as]=চিছটেম ইনস্তল কৰক Icon[as]=কেলামাৰেচ GenericName[as]=চিছটেম ইনস্তলাৰ Comment[as]=কেলামাৰেচ — চিছটেম​ ইনস্তলাৰ +Name[az]=Sistemi Quraşdırmaq +Icon[az]=calamares +GenericName[az]=Sistem Quraşdırıcısı +Comment[az]=Calamares Sistem Quraşdırıcısı Name[be]=Усталяваць сістэму Icon[be]=calamares GenericName[be]=Усталёўшчык сістэмы @@ -134,6 +138,10 @@ Name[nl]=Installeer systeem Icon[nl]=calamares GenericName[nl]=Installatieprogramma Comment[nl]=Calamares — Installatieprogramma +Name[az_AZ]=Sistemi quraşdırmaq +Icon[az_AZ]=calamares +GenericName[az_AZ]=Sistem quraşdırcısı +Comment[az_AZ]=Calamares — Sistem Quraşdırıcısı Name[pl]=Zainstaluj system Icon[pl]=calamares GenericName[pl]=Instalator systemu From ba46a27b0fa561846a3b220c549a8944c90e3af0 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Mon, 22 Jun 2020 17:11:11 -0400 Subject: [PATCH 011/123] i18n: [python] Automatic merge of Transifex translations --- lang/python.pot | 153 ++++--- lang/python/ar/LC_MESSAGES/python.po | 357 +++++++-------- lang/python/as/LC_MESSAGES/python.po | 369 ++++++++-------- lang/python/ast/LC_MESSAGES/python.po | 351 +++++++-------- lang/python/az/LC_MESSAGES/python.mo | Bin 384 -> 8262 bytes lang/python/az/LC_MESSAGES/python.po | 414 +++++++++--------- lang/python/az_AZ/LC_MESSAGES/python.mo | Bin 403 -> 8281 bytes lang/python/az_AZ/LC_MESSAGES/python.po | 414 +++++++++--------- lang/python/be/LC_MESSAGES/python.po | 377 ++++++++-------- lang/python/bg/LC_MESSAGES/python.po | 305 ++++++------- lang/python/bn/LC_MESSAGES/python.po | 287 ++++++------ lang/python/ca/LC_MESSAGES/python.po | 375 ++++++++-------- lang/python/ca@valencia/LC_MESSAGES/python.po | 287 ++++++------ lang/python/cs_CZ/LC_MESSAGES/python.po | 379 ++++++++-------- lang/python/da/LC_MESSAGES/python.po | 373 ++++++++-------- lang/python/de/LC_MESSAGES/python.po | 375 ++++++++-------- lang/python/el/LC_MESSAGES/python.po | 291 ++++++------ lang/python/en_GB/LC_MESSAGES/python.po | 305 ++++++------- lang/python/eo/LC_MESSAGES/python.po | 305 ++++++------- lang/python/es/LC_MESSAGES/python.po | 377 ++++++++-------- lang/python/es_MX/LC_MESSAGES/python.po | 327 +++++++------- lang/python/es_PR/LC_MESSAGES/python.po | 287 ++++++------ lang/python/et/LC_MESSAGES/python.po | 327 +++++++------- lang/python/eu/LC_MESSAGES/python.po | 335 +++++++------- lang/python/fa/LC_MESSAGES/python.po | 369 ++++++++-------- lang/python/fi_FI/LC_MESSAGES/python.po | 369 ++++++++-------- lang/python/fr/LC_MESSAGES/python.po | 379 ++++++++-------- lang/python/fr_CH/LC_MESSAGES/python.po | 287 ++++++------ lang/python/gl/LC_MESSAGES/python.po | 335 +++++++------- lang/python/gu/LC_MESSAGES/python.po | 287 ++++++------ lang/python/he/LC_MESSAGES/python.po | 379 ++++++++-------- lang/python/hi/LC_MESSAGES/python.po | 369 ++++++++-------- lang/python/hr/LC_MESSAGES/python.po | 377 ++++++++-------- lang/python/hu/LC_MESSAGES/python.po | 373 ++++++++-------- lang/python/id/LC_MESSAGES/python.po | 333 +++++++------- lang/python/is/LC_MESSAGES/python.po | 297 ++++++------- lang/python/it_IT/LC_MESSAGES/python.po | 377 ++++++++-------- lang/python/ja/LC_MESSAGES/python.po | 363 +++++++-------- lang/python/kk/LC_MESSAGES/python.po | 287 ++++++------ lang/python/kn/LC_MESSAGES/python.po | 287 ++++++------ lang/python/ko/LC_MESSAGES/python.po | 363 +++++++-------- lang/python/lo/LC_MESSAGES/python.po | 283 ++++++------ lang/python/lt/LC_MESSAGES/python.po | 383 ++++++++-------- lang/python/lv/LC_MESSAGES/python.po | 291 ++++++------ lang/python/mk/LC_MESSAGES/python.po | 321 +++++++------- lang/python/ml/LC_MESSAGES/python.po | 293 +++++++------ lang/python/mr/LC_MESSAGES/python.po | 287 ++++++------ lang/python/nb/LC_MESSAGES/python.po | 291 ++++++------ lang/python/ne_NP/LC_MESSAGES/python.po | 287 ++++++------ lang/python/nl/LC_MESSAGES/python.po | 311 ++++++------- lang/python/pl/LC_MESSAGES/python.po | 367 ++++++++-------- lang/python/pt_BR/LC_MESSAGES/python.po | 375 ++++++++-------- lang/python/pt_PT/LC_MESSAGES/python.po | 375 ++++++++-------- lang/python/ro/LC_MESSAGES/python.po | 309 ++++++------- lang/python/ru/LC_MESSAGES/python.po | 347 +++++++-------- lang/python/sk/LC_MESSAGES/python.po | 375 ++++++++-------- lang/python/sl/LC_MESSAGES/python.po | 295 +++++++------ lang/python/sq/LC_MESSAGES/python.po | 373 ++++++++-------- lang/python/sr/LC_MESSAGES/python.po | 317 +++++++------- lang/python/sr@latin/LC_MESSAGES/python.po | 291 ++++++------ lang/python/sv/LC_MESSAGES/python.po | 373 ++++++++-------- lang/python/th/LC_MESSAGES/python.po | 283 ++++++------ lang/python/tr_TR/LC_MESSAGES/python.po | 373 ++++++++-------- lang/python/uk/LC_MESSAGES/python.po | 381 ++++++++-------- lang/python/ur/LC_MESSAGES/python.po | 287 ++++++------ lang/python/uz/LC_MESSAGES/python.po | 283 ++++++------ lang/python/zh_CN/LC_MESSAGES/python.po | 361 +++++++-------- lang/python/zh_TW/LC_MESSAGES/python.po | 361 +++++++-------- 68 files changed, 11163 insertions(+), 10911 deletions(-) diff --git a/lang/python.pot b/lang/python.pot index 893f3d17f..95fc5da04 100644 --- a/lang/python.pot +++ b/lang/python.pot @@ -2,7 +2,7 @@ # Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. -# +# #, fuzzy msgid "" msgstr "" @@ -12,19 +12,19 @@ msgstr "" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" -"Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" +"Language: \n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #: src/modules/grubcfg/main.py:37 msgid "Configure GRUB." -msgstr "" +msgstr "Configure GRUB." #: src/modules/mount/main.py:38 msgid "Mounting partitions." -msgstr "" +msgstr "Mounting partitions." #: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 #: src/modules/initcpiocfg/main.py:209 @@ -36,172 +36,179 @@ msgstr "" #: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 #: src/modules/networkcfg/main.py:48 msgid "Configuration Error" -msgstr "" +msgstr "Configuration Error" #: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 #: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 #: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 #: src/modules/fstab/main.py:333 msgid "No partitions are defined for
{!s}
to use." -msgstr "" +msgstr "No partitions are defined for
{!s}
to use." #: src/modules/services-systemd/main.py:35 msgid "Configure systemd services" -msgstr "" +msgstr "Configure systemd services" #: src/modules/services-systemd/main.py:68 #: src/modules/services-openrc/main.py:102 msgid "Cannot modify service" -msgstr "" +msgstr "Cannot modify service" #: src/modules/services-systemd/main.py:69 msgid "" "systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" +"systemctl {arg!s} call in chroot returned error code {num!s}." #: src/modules/services-systemd/main.py:72 #: src/modules/services-systemd/main.py:76 msgid "Cannot enable systemd service {name!s}." -msgstr "" +msgstr "Cannot enable systemd service {name!s}." #: src/modules/services-systemd/main.py:74 msgid "Cannot enable systemd target {name!s}." -msgstr "" +msgstr "Cannot enable systemd target {name!s}." #: src/modules/services-systemd/main.py:78 msgid "Cannot disable systemd target {name!s}." -msgstr "" +msgstr "Cannot disable systemd target {name!s}." #: src/modules/services-systemd/main.py:80 msgid "Cannot mask systemd unit {name!s}." -msgstr "" +msgstr "Cannot mask systemd unit {name!s}." #: src/modules/services-systemd/main.py:82 msgid "" -"Unknown systemd commands {command!s} and {suffix!s} for unit {name!s}." +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." #: src/modules/umount/main.py:40 msgid "Unmount file systems." -msgstr "" +msgstr "Unmount file systems." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." -msgstr "" +msgstr "Filling up filesystems." #: src/modules/unpackfs/main.py:257 msgid "rsync failed with error code {}." -msgstr "" +msgstr "rsync failed with error code {}." #: src/modules/unpackfs/main.py:302 msgid "Unpacking image {}/{}, file {}/{}" -msgstr "" +msgstr "Unpacking image {}/{}, file {}/{}" #: src/modules/unpackfs/main.py:317 msgid "Starting to unpack {}" -msgstr "" +msgstr "Starting to unpack {}" #: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" -msgstr "" +msgstr "Failed to unpack image \"{}\"" #: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" -msgstr "" +msgstr "No mount point for root partition" #: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" -msgstr "" +msgstr "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" #: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" -msgstr "" +msgstr "Bad mount point for root partition" #: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" -msgstr "" +msgstr "rootMountPoint is \"{}\", which does not exist, doing nothing" #: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 #: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" -msgstr "" +msgstr "Bad unsquash configuration" #: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" -msgstr "" +msgstr "The filesystem for \"{}\" ({}) is not supported by your current kernel" #: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" -msgstr "" +msgstr "The source filesystem \"{}\" does not exist" #: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" +"Failed to find unsquashfs, make sure you have the squashfs-tools package " +"installed" #: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" -msgstr "" +msgstr "The destination \"{}\" in the target system is not a directory" #: src/modules/displaymanager/main.py:523 msgid "Cannot write KDM configuration file" -msgstr "" +msgstr "Cannot write KDM configuration file" #: src/modules/displaymanager/main.py:524 msgid "KDM config file {!s} does not exist" -msgstr "" +msgstr "KDM config file {!s} does not exist" #: src/modules/displaymanager/main.py:585 msgid "Cannot write LXDM configuration file" -msgstr "" +msgstr "Cannot write LXDM configuration file" #: src/modules/displaymanager/main.py:586 msgid "LXDM config file {!s} does not exist" -msgstr "" +msgstr "LXDM config file {!s} does not exist" #: src/modules/displaymanager/main.py:669 msgid "Cannot write LightDM configuration file" -msgstr "" +msgstr "Cannot write LightDM configuration file" #: src/modules/displaymanager/main.py:670 msgid "LightDM config file {!s} does not exist" -msgstr "" +msgstr "LightDM config file {!s} does not exist" #: src/modules/displaymanager/main.py:744 msgid "Cannot configure LightDM" -msgstr "" +msgstr "Cannot configure LightDM" #: src/modules/displaymanager/main.py:745 msgid "No LightDM greeter installed." -msgstr "" +msgstr "No LightDM greeter installed." #: src/modules/displaymanager/main.py:776 msgid "Cannot write SLIM configuration file" -msgstr "" +msgstr "Cannot write SLIM configuration file" #: src/modules/displaymanager/main.py:777 msgid "SLIM config file {!s} does not exist" -msgstr "" +msgstr "SLIM config file {!s} does not exist" #: src/modules/displaymanager/main.py:903 msgid "No display managers selected for the displaymanager module." -msgstr "" +msgstr "No display managers selected for the displaymanager module." #: src/modules/displaymanager/main.py:904 msgid "" "The displaymanagers list is empty or undefined in bothglobalstorage and " "displaymanager.conf." msgstr "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." #: src/modules/displaymanager/main.py:986 msgid "Display manager configuration was incomplete" -msgstr "" +msgstr "Display manager configuration was incomplete" #: src/modules/initcpiocfg/main.py:37 msgid "Configuring mkinitcpio." -msgstr "" +msgstr "Configuring mkinitcpio." #: src/modules/initcpiocfg/main.py:210 #: src/modules/luksopenswaphookcfg/main.py:100 @@ -209,131 +216,139 @@ msgstr "" #: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 #: src/modules/networkcfg/main.py:49 msgid "No root mount point is given for
{!s}
to use." -msgstr "" +msgstr "No root mount point is given for
{!s}
to use." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." -msgstr "" +msgstr "Configuring encrypted swap." #: src/modules/rawfs/main.py:35 msgid "Installing data." -msgstr "" +msgstr "Installing data." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" -msgstr "" +msgstr "Configure OpenRC services" #: src/modules/services-openrc/main.py:66 msgid "Cannot add service {name!s} to run-level {level!s}." -msgstr "" +msgstr "Cannot add service {name!s} to run-level {level!s}." #: src/modules/services-openrc/main.py:68 msgid "Cannot remove service {name!s} from run-level {level!s}." -msgstr "" +msgstr "Cannot remove service {name!s} from run-level {level!s}." #: src/modules/services-openrc/main.py:70 msgid "" "Unknown service-action {arg!s} for service {name!s} in run-" "level {level!s}." msgstr "" +"Unknown service-action {arg!s} for service {name!s} in run-" +"level {level!s}." #: src/modules/services-openrc/main.py:103 msgid "" "rc-update {arg!s} call in chroot returned error code {num!s}." msgstr "" +"rc-update {arg!s} call in chroot returned error code {num!s}." #: src/modules/services-openrc/main.py:110 msgid "Target runlevel does not exist" -msgstr "" +msgstr "Target runlevel does not exist" #: src/modules/services-openrc/main.py:111 msgid "" "The path for runlevel {level!s} is {path!s}, which does not " "exist." msgstr "" +"The path for runlevel {level!s} is {path!s}, which does not " +"exist." #: src/modules/services-openrc/main.py:119 msgid "Target service does not exist" -msgstr "" +msgstr "Target service does not exist" #: src/modules/services-openrc/main.py:120 msgid "" -"The path for service {name!s} is {path!s}, which does not exist." +"The path for service {name!s} is {path!s}, which does not " +"exist." msgstr "" +"The path for service {name!s} is {path!s}, which does not " +"exist." #: src/modules/plymouthcfg/main.py:36 msgid "Configure Plymouth theme" -msgstr "" +msgstr "Configure Plymouth theme" #: src/modules/packages/main.py:59 src/modules/packages/main.py:68 #: src/modules/packages/main.py:78 msgid "Install packages." -msgstr "" +msgstr "Install packages." #: src/modules/packages/main.py:66 #, python-format msgid "Processing packages (%(count)d / %(total)d)" -msgstr "" +msgstr "Processing packages (%(count)d / %(total)d)" #: src/modules/packages/main.py:71 #, python-format msgid "Installing one package." msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Installing one package." +msgstr[1] "Installing %(num)d packages." #: src/modules/packages/main.py:74 #, python-format msgid "Removing one package." msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Removing one package." +msgstr[1] "Removing %(num)d packages." #: src/modules/bootloader/main.py:51 msgid "Install bootloader." -msgstr "" +msgstr "Install bootloader." #: src/modules/hwclock/main.py:35 msgid "Setting hardware clock." -msgstr "" +msgstr "Setting hardware clock." #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." -msgstr "" +msgstr "Creating initramfs with dracut." #: src/modules/dracut/main.py:58 msgid "Failed to run dracut on the target" -msgstr "" +msgstr "Failed to run dracut on the target" #: src/modules/dracut/main.py:59 msgid "The exit code was {}" -msgstr "" +msgstr "The exit code was {}" #: src/modules/initramfscfg/main.py:41 msgid "Configuring initramfs." -msgstr "" +msgstr "Configuring initramfs." #: src/modules/openrcdmcryptcfg/main.py:34 msgid "Configuring OpenRC dmcrypt service." -msgstr "" +msgstr "Configuring OpenRC dmcrypt service." #: src/modules/fstab/main.py:38 msgid "Writing fstab." -msgstr "" +msgstr "Writing fstab." #: src/modules/dummypython/main.py:44 msgid "Dummy python job." -msgstr "" +msgstr "Dummy python job." #: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 #: src/modules/dummypython/main.py:103 msgid "Dummy python step {}" -msgstr "" +msgstr "Dummy python step {}" #: src/modules/localecfg/main.py:39 msgid "Configuring locales." -msgstr "" +msgstr "Configuring locales." #: src/modules/networkcfg/main.py:37 msgid "Saving network configuration." -msgstr "" +msgstr "Saving network configuration." diff --git a/lang/python/ar/LC_MESSAGES/python.po b/lang/python/ar/LC_MESSAGES/python.po index 3caf285d9..bea1c8aea 100644 --- a/lang/python/ar/LC_MESSAGES/python.po +++ b/lang/python/ar/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: aboodilankaboot, 2019\n" "Language-Team: Arabic (https://www.transifex.com/calamares/teams/20061/ar/)\n" @@ -22,78 +22,74 @@ msgstr "" "Language: ar\n" "Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "تثبيت الحزم" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "جاري تحميل الحزم (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "جاري تركيب الأقسام" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" -msgstr[4] "" -msgstr[5] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "خطأ في الضبط" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" -msgstr[4] "" -msgstr[5] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "جاري حفظ الإعدادات" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "تعديل خدمات systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "خطأ في الضبط" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "لا يمكن تعديل الخدمة" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "الغاء تحميل ملف النظام" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "الغاء تحميل ملف النظام" + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "جاري ملئ أنظمة الملفات" @@ -110,117 +106,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "تعديل خدمات systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "فشلت كتابة ملف ضبط KDM." -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "لا يمكن تعديل الخدمة" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "ملف ضبط KDM {!s} غير موجود" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "فشلت كتابة ملف ضبط LXDM." -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "ملف ضبط LXDM {!s} غير موجود" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "فشلت كتابة ملف ضبط LightDM." -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "ملف ضبط LightDM {!s} غير موجود" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "فشل ضبط LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "لم يتم تصيب LightDM" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "عملية بايثون دميه" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "فشلت كتابة ملف ضبط SLIM." -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "عملية دميه خطوه بايثون {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "ملف ضبط SLIM {!s} غير موجود" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "تثبيت محمل الإقلاع" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "جاري تركيب الأقسام" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "إعداد مدير العرض لم يكتمل" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -266,6 +266,50 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "تثبيت الحزم" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "جاري تحميل الحزم (%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" +msgstr[4] "" +msgstr[5] "" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "تثبيت محمل الإقلاع" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "جاري إعداد ساعة الهاردوير" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -278,72 +322,31 @@ msgstr "" msgid "The exit code was {}" msgstr "كود الخروج كان {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "فشلت كتابة ملف ضبط KDM." - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "ملف ضبط KDM {!s} غير موجود" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "فشلت كتابة ملف ضبط LXDM." - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "ملف ضبط LXDM {!s} غير موجود" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "فشلت كتابة ملف ضبط LightDM." - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "ملف ضبط LightDM {!s} غير موجود" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "فشل ضبط LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "لم يتم تصيب LightDM" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "فشلت كتابة ملف ضبط SLIM." - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "ملف ضبط SLIM {!s} غير موجود" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "إعداد مدير العرض لم يكتمل" - -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "عملية بايثون دميه" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "جاري إعداد ساعة الهاردوير" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "عملية دميه خطوه بايثون {}" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" + +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "جاري حفظ الإعدادات" diff --git a/lang/python/as/LC_MESSAGES/python.po b/lang/python/as/LC_MESSAGES/python.po index c5f7ee697..c50cfdbfe 100644 --- a/lang/python/as/LC_MESSAGES/python.po +++ b/lang/python/as/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Deep Jyoti Choudhury , 2020\n" "Language-Team: Assamese (https://www.transifex.com/calamares/teams/20061/as/)\n" @@ -21,69 +21,75 @@ msgstr "" "Language: as\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "পেকেজ ইন্স্তল কৰক।" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB কনফিগাৰ কৰক।" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "(%(count)d / %(total)d) পেকেজবোৰ সংশোধন কৰি আছে" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "বিভাজন মাউন্ট্ কৰা।" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installing one package." -msgstr[1] "%(num)d পেকেজবোৰ ইনস্তল হৈ আছে।" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "কনফিগাৰেচন ত্ৰুটি" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Removing one package." -msgstr[1] "%(num)d পেকেজবোৰ আতৰোৱা হৈ আছে।" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
ৰ ব্যৱহাৰৰ বাবে কোনো বিভাজনৰ বৰ্ণনা দিয়া হোৱা নাই।" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "নেটৱৰ্ক কন্ফিগাৰ জমা কৰি আছে।" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "systemd সেৱা সমুহ কনফিগাৰ কৰক" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "কনফিগাৰেচন ত্ৰুটি" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "সেৱা সমুহৰ সংশোধন কৰিব নোৱাৰি" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "ব্যৱহাৰৰ বাবে
{!s}
ৰ কোনো মাউন্ট্ পাইন্ট্ দিয়া হোৱা নাই।" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "chrootত systemctl {arg!s}ৰ call ক্ৰুটি কোড {num!s}।" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "ফাইল চিছটেম​বোৰ মাউণ্টৰ পৰা আতৰাওক।" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "systemd সেৱা {name!s} সক্ৰিয় কৰিব নোৱাৰি।" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpio কনফিগাৰ কৰি আছে।" +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "systemd গন্তব্য স্থান {name!s} সক্ৰিয় কৰিব নোৱাৰি।" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "
{!s}
ৰ ব্যৱহাৰৰ বাবে কোনো বিভাজনৰ বৰ্ণনা দিয়া হোৱা নাই।" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "systemd গন্তব্য স্থান {name!s} নিষ্ক্ৰিয় কৰিব নোৱাৰি।" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt সেৱা কন্ফিগাৰ কৰি আছে।" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "systemd একক {name!s} মাস্ক্ কৰিব নোৱাৰি।" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"একক {name!s}ৰ বাবে {command!s} আৰু {suffix!s} " +"অজ্ঞাত systemd কমাণ্ড্।" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "ফাইল চিছটেম​বোৰ মাউণ্টৰ পৰা আতৰাওক।" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -101,40 +107,40 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "ইমেজ \"{}\" খোলাত ব্যৰ্থ হ'ল" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "ৰুট বিভাজনত কোনো মাউণ্ট পইণ্ট্ নাই" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage ত rootMountPoint key নাই, একো কৰিব পৰা নাযায়" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "মুল বিভাজনৰ বাবে বেয়া মাউন্ট্ পইন্ট্" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint হ'ল \"{}\", যিটো উপস্থিত নাই, একো কৰিব পৰা নাযায়" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "বেয়া unsquash কনফিগাৰেচন" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "\"{}\" ফাইল চিছটেম উপস্থিত নাই" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -142,81 +148,85 @@ msgstr "" "unsquashfs বিচৰাত ব্যৰ্থ হ'ল, নিশ্চিত কৰক যে আপুনি squashfs-tools ইন্স্তল " "কৰিছে" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "লক্ষ্যৰ চিছটেম গন্তব্য স্থান \"{}\" এটা ডিৰেক্টৰী নহয়" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "systemd সেৱা সমুহ কনফিগাৰ কৰক" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "সেৱা সমুহৰ সংশোধন কৰিব নোৱাৰি" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "chrootত systemctl {arg!s}ৰ call ক্ৰুটি কোড {num!s}।" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "systemd সেৱা {name!s} সক্ৰিয় কৰিব নোৱাৰি।" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "systemd গন্তব্য স্থান {name!s} সক্ৰিয় কৰিব নোৱাৰি।" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "systemd গন্তব্য স্থান {name!s} নিষ্ক্ৰিয় কৰিব নোৱাৰি।" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "systemd একক {name!s} মাস্ক্ কৰিব নোৱাৰি।" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM কনফিগাৰ কৰিব নোৱাৰি" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"একক {name!s}ৰ বাবে {command!s} আৰু {suffix!s} " -"অজ্ঞাত systemd কমাণ্ড্।" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "কোনো LightDM স্ৱাগতকৰ্তা ইন্স্তল নাই।" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "ডামী Pythonৰ কায্য" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "ডামী Pythonৰ পদক্ষেপ {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM কনফিগ্ ফাইল {!s} উপস্থিত নাই" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "বুতলোডাৰ ইন্স্তল কৰক।" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "displaymanager মডিউলৰ বাবে কোনো ডিস্প্লে প্ৰবন্ধক নাই।" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "স্থানীয়বোৰ কন্ফিগাৰ কৰি আছে।" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"bothglobalstorage আৰু displaymanager.confত displaymanagers সুচিখন খালী বা " +"অবৰ্ণিত।" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "বিভাজন মাউন্ট্ কৰা।" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "ডিস্প্লে প্ৰবন্ধক কন্ফিগাৰেচন অসমাপ্ত" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Plymouth theme কন্ফিগাৰ কৰি আছে।​" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio কনফিগাৰ কৰি আছে।" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "ব্যৱহাৰৰ বাবে
{!s}
ৰ কোনো মাউন্ট্ পাইন্ট্ দিয়া হোৱা নাই।" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "এন্ক্ৰিপ্টেড স্ৱেপ কন্ফিগাৰ কৰি আছে।" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstab লিখি আছে।" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "ডাটা ইন্স্তল কৰি আছে।" #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -264,6 +274,42 @@ msgid "" "exist." msgstr "{name!s}ৰ বাবে পথ হ'ল {path!s} যিটো উপস্থিত নাই।" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth theme কন্ফিগাৰ কৰি আছে।​" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "পেকেজ ইন্স্তল কৰক।" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "(%(count)d / %(total)d) পেকেজবোৰ সংশোধন কৰি আছে" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installing one package." +msgstr[1] "%(num)d পেকেজবোৰ ইনস্তল হৈ আছে।" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Removing one package." +msgstr[1] "%(num)d পেকেজবোৰ আতৰোৱা হৈ আছে।" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "বুতলোডাৰ ইন্স্তল কৰক।" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "হাৰ্ডৱেৰৰ ঘড়ী চেত্ কৰি আছে।" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "dracutৰ সৈতে initramfs বনাই আছে।" @@ -276,74 +322,31 @@ msgstr "গন্তব্য স্থানত dracut চলোৱাত ব msgid "The exit code was {}" msgstr "এক্সিড্ কোড্ আছিল {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB কনফিগাৰ কৰক।" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM কনফিগ্ ফাইল {!s} উপস্থিত নাই" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM কনফিগাৰ কৰিব নোৱাৰি" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "কোনো LightDM স্ৱাগতকৰ্তা ইন্স্তল নাই।" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM কনফিগাৰেচন ফাইলত লিখিব নোৱাৰি" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM কনফিগ্ ফাইল {!s} উপস্থিত নাই" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs কন্ফিগাৰ কৰি আছে।" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "displaymanager মডিউলৰ বাবে কোনো ডিস্প্লে প্ৰবন্ধক নাই।" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt সেৱা কন্ফিগাৰ কৰি আছে।" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"bothglobalstorage আৰু displaymanager.confত displaymanagers সুচিখন খালী বা " -"অবৰ্ণিত।" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab লিখি আছে।" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "ডিস্প্লে প্ৰবন্ধক কন্ফিগাৰেচন অসমাপ্ত" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "ডামী Pythonৰ কায্য" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfs কন্ফিগাৰ কৰি আছে।" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "ডামী Pythonৰ পদক্ষেপ {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "হাৰ্ডৱেৰৰ ঘড়ী চেত্ কৰি আছে।" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "স্থানীয়বোৰ কন্ফিগাৰ কৰি আছে।" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "ডাটা ইন্স্তল কৰি আছে।" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "নেটৱৰ্ক কন্ফিগাৰ জমা কৰি আছে।" diff --git a/lang/python/ast/LC_MESSAGES/python.po b/lang/python/ast/LC_MESSAGES/python.po index 0c213587e..502b9a6ed 100644 --- a/lang/python/ast/LC_MESSAGES/python.po +++ b/lang/python/ast/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: enolp , 2020\n" "Language-Team: Asturian (https://www.transifex.com/calamares/teams/20061/ast/)\n" @@ -21,69 +21,73 @@ msgstr "" "Language: ast\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalación de paquetes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Procesando paquetes (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalando un paquete." -msgstr[1] "Instalando %(num)d paquetes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Desaniciando un paquete." -msgstr[1] "Desaniciando %(num)d paquetes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Nun pue modificase'l serviciu" + +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontaxe de sistemes de ficheros." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Configurando mkinitcpio." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Configurando'l serviciu dmcrypt d'OpenRC." +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontaxe de sistemes de ficheros." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -101,41 +105,41 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Fallu al desempaquetar la imaxe «{}»" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nun hai un puntu de montaxe pa la partición del raigañu" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage nun contién una clave «rootMountPoint». Nun va facese nada" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "El puntu de montaxe ye incorreutu pa la partición del raigañu" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint ye «{}» que nun esiste. Nun va facese nada" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "La configuración d'espardimientu ye incorreuta" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "El sistema de ficheros d'orixe «{}» nun esiste" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -143,79 +147,85 @@ msgstr "" "Fallu al alcontrar unsquashfs, asegúrate que tienes instaláu'l paquete " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "El destín «{}» nel sistema de destín nun ye un direutoriu" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" - -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Nun pue modificase'l serviciu" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Nun pue escribise'l ficheru de configuración de KDM" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Nun esiste'l ficheru de configuración de KDM {!s}" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Nun pue escribise'l ficheru de configuración de LXDM" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Nun esiste'l ficheru de configuración de LXDM {!s}" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Nun pue escribise'l ficheru de configuración de LightDM" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Nun esiste'l ficheru de configuración de LightDM {!s}" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Nun pue configurase LightDM" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Trabayu maniquín en Python." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nun s'instaló nengún saludador de LightDM." -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Pasu maniquín {} en Python" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Nun pue escribise'l ficheru de configuración de SLIM" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalando'l xestor d'arrinque." +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Nun esiste'l ficheru de configuración de SLIM {!s}" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Configurando locales." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Nun s'esbillaron xestores de pantalles pal módulu displaymanager." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"La llista displaymanagers ta balera o nun se definió en bothglobalstorage y " +"displaymanager.conf." -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "La configuración del xestor de pantalles nun se completó" + +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Configurando mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configurando l'intercambéu cifráu." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instalando datos." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -261,6 +271,42 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalación de paquetes." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Procesando paquetes (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalando un paquete." +msgstr[1] "Instalando %(num)d paquetes." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Desaniciando un paquete." +msgstr[1] "Desaniciando %(num)d paquetes." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalando'l xestor d'arrinque." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Configurando'l reló de hardware." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -273,74 +319,31 @@ msgstr "Fallu al executar dracut nel destín" msgid "The exit code was {}" msgstr "El códigu de salida foi {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Nun pue escribise'l ficheru de configuración de KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Nun esiste'l ficheru de configuración de KDM {!s}" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Nun pue escribise'l ficheru de configuración de LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Nun esiste'l ficheru de configuración de LXDM {!s}" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Nun pue escribise'l ficheru de configuración de LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Nun esiste'l ficheru de configuración de LightDM {!s}" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Nun pue configurase LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nun s'instaló nengún saludador de LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Nun pue escribise'l ficheru de configuración de SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Nun esiste'l ficheru de configuración de SLIM {!s}" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Nun s'esbillaron xestores de pantalles pal módulu displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Configurando'l serviciu dmcrypt d'OpenRC." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -"La llista displaymanagers ta balera o nun se definió en bothglobalstorage y " -"displaymanager.conf." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "La configuración del xestor de pantalles nun se completó" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Trabayu maniquín en Python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Pasu maniquín {} en Python" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Configurando'l reló de hardware." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Configurando locales." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instalando datos." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "" diff --git a/lang/python/az/LC_MESSAGES/python.mo b/lang/python/az/LC_MESSAGES/python.mo index e7b9aa3c33e09c98ab64184228fe1c71e327e34c..30568e957ea98996d28374e3a255160ae0bb25de 100644 GIT binary patch literal 8262 zcmbuETWlOx8ONt3(AK3bEl^Sl?MX_gL%nM!y(D#;K#r=crW+|a0vVtcsn>akj)zf zPw{*LlyiO$6na-dS^p*|{Jaawx?65WM&P}moO=WmJ{(Za^L0?p^C~EOya9d^{42Nz zyy=6MwFMjp9|osEk;}{A1K=Cr2zdQ18NCNVS$_@`ewv`j^PAv3;1BZgHaN!fo8U9x zJ-252&x40~egQlI{uVqAZbP`+!5BOTz6?GKz5@#Vvm8?R^g)(b-vWisE1;a?El`2? zB9t#(XIcBfXLP`>ED%pZ}{I4Jt~0x0``1(fsr5d1Xw8YpuA8@L&~ zpG9I<`$4g{r$Mos6x;#62y!&*HBjdN9y|s90~ERwyxa@cK+)HaK!&U(Q0V;N}4m)ORm+;a9K=1t~zgbQ;?Y}n6zh+Fiui(B*{HZGUw=tlD^i+4BkTjVUV z6MdsDi%{FSFbC`X`IG2TY)0&%xVG`*eca*`n06L>LDXvO8}~DDY%gf8u}Ww=`=UxI zZP+?-)Vz+Sx5O95hRu6b(VnN=Kvil{7$z!mk~9h&TRBk_MoQ+W`5^UKQMNKtaVt(7 zzmjbca)#Udx@TT?LeUoE<(jeH%~JFKOFyAfl4XuH)`A)SKV$nnD_M_ehhY83kK zDYco%#dID&e7s)~s_J@9K|Gst?A*0X%0#~*vD3$nuDxTgHK=hhRqIgx&QV8BojHhx zI?pE>PH^f_aq75dsMSacy4@XRjuV(c z94VgBjs7tg^+npR#{I9o5MOjwy!7ibyV7t&CPxnD5AhBGHRHm(9qCG%l&!;V-0*Zu z`8v?kjyP|R&!`z4v#=8S4bMp&>u~D(E!AixwJ=c6g;Ol=eS?cP)cgf&LZe}vAw<D@;{QV_1k$We!`7OGy}dv1;f_9d6hu>!_;)-pwy@otfNQ}vumf<7hOioEj~g~bpxQqM7KHwez`-DO2-jKFrV zkeu{bBXahMP{xMkmzYl)XLL=F?2+#0b@|H8r(Km5wW0| zVYO{A39+y3_IB%(1i4lE?7UsA&7LT;z6MTfLo;xanJ}vN`&QXH?IcD$H67VAB8>{( zT<1LoZ3aXFnJME`lUZuP{Ie{z!gBKAB1*3u6}34rR81~4PJ!Ng+$YZy3dx!*iIyYO z9!4!|a+S_wPRpaQ?#fg2Om%G{Q*ia;hc4gwT~nkwaNfcPK_YL!_Yzb*4-x z#MVjfLMKnTGRxSVscweUOwFwjA^Ti2vlcTO?Em%8EcL%tiw~K5cizl0SDPW3-sdEKaLcceZCtwl+0J zA(AqjXFe+j%p@dHQ3)l=iAP9Ht-#K0*>%(Zkpo_6ih!E`zj%4b?VtAH6X){x4MA$BtPG}8e6Td>Xn#~4m~)~j?LMaiR}I#Zq!Et}56{fZ zlqoNQ*sVIVvUr%XLi+@zcsOBMJiK#c-Q_BPbt}2wJ+(Vi%W~q(&AMh&_$o3 zW|tQdt?J}5<$B8tv^Y&YrJ7FUdbYc97n3zYtEjI_)pm=WDGb_|>uRcf+4GkdVpp}V zv@f-<1Q|!((xN&aUcH!lzE(l|^7%yO;6r(fV>XaUybtDFAJzjy#wy%U&AK*k5;iRQ z8s%QS$VA?%czL1ewpv0o;Bk4u(@oH^jS!|>&vz+_@~)?M6DDP&x$KMWiWadbhHJ|U zcGXpJ`*IMsuSD%Da>}km*IU+MTGtb|Y52LOb+X;^0voPaw*i+;U2{>1G)&li;A0_W z>s%%{=qc_NLUZe$TUSm3D|O|!ulRLQRETcurNxaT-Y07a6470X(vBdr3bCt4QBPI3 zM7b?Jx3uW#LgJ=MyrzkHrFboKPaj+Q>G2*7ufP3d$JAtwvA~$)O9$1z9vh2XEAM=A zjhc6ao<5f9R;Q`*+n1YjX`J><$PM~*o~8=ZSWRR_k5x?UB_-C}e%`G{Sh~0hN)<&; z>CE6`jRE0}$rvT+7z{1=aVKuOCZ`n737YB&o*qPYtZg zkQiFsiPar)F=_TZ(fH~`RueltK*A{TlQ67~V49U%s#vHu`D-UQBo&&Y?Q!iwzBvs0OeR$mHQ?JIRgT5iP^ zc2hD2xtWeL$>i0$Gb^6#J&|ZmNA4^#JLpFADXi*0vxy1aMqur6Y4W-j(Bng<+Y{ri zq*TIA%k{Em@0usSmn*M9oW8!3RPxiCG$JA?!ufd}Nfwku-+xqJx0V*Ey!tD4zP-`u zrJV%j^crZkN9?pOkuyXGEMF(Ft9?EwEv?@AL3a(EUVUYGVT#m) zJT!5_)3~CF^(+|+EgJhgK!dIMyrgx4-!Pm_G#)aUIhbJ*9$ESS~d=fkF#p3gm_-|qMX;kI;bX^|{LYe^8I z*^?@z1@EgmO&RE4Z#vC2ywb=opeXENs4(63^F$yi60?$!FiL%3nfPUzP>EZ4ETXt^ z=P-ZzM92Zz5}hGOXiXYc{8N3Le-eV}g9~8M|c<;oeuT1OrspBZ2bo|lIHRN delta 69 zcmX@+(7i{tbSOBpbP|^}egVeylWP8E1$@c{x0RRqk B2qFLg diff --git a/lang/python/az/LC_MESSAGES/python.po b/lang/python/az/LC_MESSAGES/python.po index bcefd836c..8c93c8d96 100644 --- a/lang/python/az/LC_MESSAGES/python.po +++ b/lang/python/az/LC_MESSAGES/python.po @@ -3,13 +3,17 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. # +# Translators: +# Xəyyam Qocayev , 2020 +# #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" +"Last-Translator: Xəyyam Qocayev , 2020\n" "Language-Team: Azerbaijani (https://www.transifex.com/calamares/teams/20061/az/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,320 +21,340 @@ msgstr "" "Language: az\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB tənzimləmələri" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Disk bölmələri qoşulur." + +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Tənzimləmə xətası" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
istifadə etmək üçün bölmələr təyin edilməyib" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Systemd xidmətini tənzimləmək" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Xidmətdə dəyişiklik etmək mümkün olmadı" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" +"systemctl {arg!s} chroot çağırışına xəta kodu ilə cavab verdi " +"{num!s}." -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "{name!s} systemd xidməti aktiv edilmədi." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "" +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "{name!s} systemd hədəfi aktiv edilmədi" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "{name!s} systemd hədfi sönsürülmədi." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "{name!s} systemd vahidi maskalanmır." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +"Naməlum systemd əmrləri {command!s}{suffix!s} " +"{name!s} vahidi üçün." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Fayl sistemini ayırmaq." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." -msgstr "" +msgstr "Fayl sistemlərini doldurmaq." #: src/modules/unpackfs/main.py:257 msgid "rsync failed with error code {}." -msgstr "" +msgstr "rsync uğursuz oldu, xəta kodu: {}." #: src/modules/unpackfs/main.py:302 msgid "Unpacking image {}/{}, file {}/{}" msgstr "" +"Tərkibi çıxarılan quraşdırma faylı - image {}/{}, çıxarılan faylların sayı " +"{}/{}" #: src/modules/unpackfs/main.py:317 msgid "Starting to unpack {}" -msgstr "" +msgstr "Tərkiblərini açmağa başladılır {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" -msgstr "" +msgstr "\"{}\" quraşdırma faylının tərkibini çıxarmaq alınmadı" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" -msgstr "" +msgstr "Kök bölməsi üçün qoşulma nöqtəsi yoxdur" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" +"globalstorage tərkibində bir \"rootMountPoint\" açarı yoxdur, heç bir " +"əməliyyat getmir" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" -msgstr "" +msgstr "Kök bölməsi üçün xətalı qoşulma nöqtəsi" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" -msgstr "" +msgstr "rootMountPoint \"{}\" mövcud deyil, heç bir əməliyyat getmir" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" -msgstr "" +msgstr "Unsquash xətalı tənzimlənməsi" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" -msgstr "" +msgstr "\"{}\" ({}) fayl sistemi sizin nüvəniz tərəfindən dəstəklənmir" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" -msgstr "" +msgstr "\"{}\" mənbə fayl sistemi mövcud deyil" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" +"unsquashfs tapılmadı, squashfs-tools paketinin quraşdırıldığına əmin olun" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" -msgstr "" +msgstr "Hədəf sistemində təyin edilən \"{}\", qovluq deyil" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM tənzimlənə bilmir" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM qarşılama quraşdırılmayıb." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLİM tənzimləmə faylı yazıla bilmir" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLİM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "displaymanager modulu üçün ekran menecerləri seçilməyib." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"displaymanagers siyahısı boşdur və ya bothglobalstorage və " +"displaymanager.conf tənzimləmə fayllarında təyin edilməyib." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Ekran meneceri tənzimləmələri başa çatmadı" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio tənzimlənir." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" +"
{!s}
istifadə etmək üçün kök qoşulma nöqtəsi təyin edilməyib." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." -msgstr "" +msgstr "Çifrələnmiş mübadilə sahəsi - swap tənzimlənir." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Quraşdırılma tarixi." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" -msgstr "" +msgstr "OpenRC xidmətlərini tənzimləmək" #: src/modules/services-openrc/main.py:66 msgid "Cannot add service {name!s} to run-level {level!s}." -msgstr "" +msgstr "{name!s} xidməti {level!s} işləmə səviyyəsinə əlavə edilə bilmir." #: src/modules/services-openrc/main.py:68 msgid "Cannot remove service {name!s} from run-level {level!s}." -msgstr "" +msgstr "{name!s} xidməti {level!s} iş səviyyəsindən silinə bilmir." #: src/modules/services-openrc/main.py:70 msgid "" "Unknown service-action {arg!s} for service {name!s} in run-" "level {level!s}." msgstr "" +"{level!s} işləmə səviyyəsindəki {name!s} xidməti üçün naməlum " +"{arg!s} xidmət fəaliyyəti." #: src/modules/services-openrc/main.py:103 msgid "" "rc-update {arg!s} call in chroot returned error code {num!s}." msgstr "" +"rc-update {arg!s} chroot-da çağırışına {num!s} xəta kodu ilə " +"cavab verildi." #: src/modules/services-openrc/main.py:110 msgid "Target runlevel does not exist" -msgstr "" +msgstr "Hədəf işləmə səviyyəsi mövcud deyil" #: src/modules/services-openrc/main.py:111 msgid "" "The path for runlevel {level!s} is {path!s}, which does not " "exist." msgstr "" +"{level!s} işləmə səviyyəsi üçün {path!s} yolu mövcud deyil." #: src/modules/services-openrc/main.py:119 msgid "Target service does not exist" -msgstr "" +msgstr "Hədəf xidməti mövcud deyil" #: src/modules/services-openrc/main.py:120 msgid "" "The path for service {name!s} is {path!s}, which does not " "exist." -msgstr "" +msgstr "{name!s} üçün {path!s} yolu mövcud deyil." -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth mövzusu tənzimlənməsi" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Paketləri quraşdırmaq." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "(%(count)d / %(total)d) paketləri işlənir" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Bir paket quraşdırılır." +msgstr[1] "%(num)d paket quraşdırılır." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Bir paket silinir" +msgstr[1] "%(num)d paket silinir." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Önyükləyici qurulur." -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Aparat saatını ayarlamaq." -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." +msgstr "Dracut ilə initramfs yaratmaq." -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "" +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" +msgstr "Hədəfdə dracut başladılmadı" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" +msgstr "Çıxış kodu {} idi" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs tənzimlənir." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt xidməti tənzimlənir." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab yazılır." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python işi." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "{} Dummy python addımı" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Lokallaşma tənzimlənir." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Şəbəkə ayarları saxlanılır." diff --git a/lang/python/az_AZ/LC_MESSAGES/python.mo b/lang/python/az_AZ/LC_MESSAGES/python.mo index 4c1bf9a19a2913f41a37517d2f12ed173aaf1c9a..7ecad241f71e5663e7d04d3dd363cd7ac4419684 100644 GIT binary patch literal 8281 zcmbuES!^9w8ONugw2e!F7U)8uJxK}J#MgHA)LF?G*WeED zP4Is3f!i%>C%8SwNl?bW2M&V20Y3s-cUab5;9l?%@GSTVFa|#bemj5uCHNtp-vmDZ zz5_l0Zrqsd_XsF_><5L;li-8k9C$DIE%3wOtKfZL6MPu_BiIlA8@wCr?aAg1gQGm3 z1?8OI2Zi1ZP}aWz3P10FvhJ=skrDVXDCZsmg%1am^Sl7cd0qvDkJrGDgKvTRz>V*- ztWDr?a2GfUidw}P*ML*RzHGI~2eS$_c(ex^W?=U2doz#r!0O>jTYZ-CE$54}Iz ze-1px^Vh($;P1f^a0|li17q+4_%iq`_%;}()d%)-N=U;%b?rm@o?1Py@ z;8UQ;^*dlM_$yH4^%f}SxDVxv{txp<vd4({{tKaZ{tDeJ_Q~C=Rncd&p@VFe*lHvKlA5}Jc#@@ zfx`b6z<%%rP|kY|d=UH_DCgV&QwPDV;1GBbJOO?e90UIX%KF_blKEw@1ilE$xqlAw z&-xR8Wc(da_T7vU#D30zyFefOGWY`!ky=|ggy?%8_&E3_a2Wh8D0;Yy#WA=Gtb#uV zIihtBLVE_>3SuJG^Wf9qJa`cN7btq!sgOOmfqOr za%1Y|43M;L=N3CHE;-X@xJ5U`C3@e@E%K2|&L?Lnt^t0C&Il3KVeWn0pXQe9cm{@d zu>;)HTw)uKa?9CInm3u>5iZOnvEdN+QEt)G9&XWt*tlGxqdUy6EZ*J8Z;`XePV|ks zEJAJT!Yr)!=1-zWu^F+4;@ZNG_i&3(VB%Tq1yQT9Z`{wsu>+vF_LoE3IT)2oY2DU| zqvmupxhcN9f6%;FW$k&&4OF=rg<+y1CrP8gv6T}=VWeb^nhR2&6$4gADsIGyim+sY5qAW`+u` zf_g5sfnt#pbge0v`L7n;)JDFJYc1B&z+I0qKeXLSqmWL)Zshpk6h~Yxvq}{D?<%$F z$i;LXJ2uj-2vu=Cry!oqIep<~CS{^um)O|pQ>*XTX$|VQn5uO&f9I%^qvwyHq1N-+ zx)Y2ZElwSGjGXft7-3RXN!9T=NNY)91i7TzYusQ`<@9X795w1mLASl5%y9xUh$F?* zy52qJqP|G`mAL!07vhV~vX_2MW|!-3$mGbu{2|^Vpr&1zwOOeu{V)d*8n)fg6HRGGt8;!+ZZUaac6T!S07juS$SV|S3mPjluKOvvKQ7dob- zfe=uxFElpKUEXY+a6M0ikk*a$Wtu{2r?L&y1Yyhzwe3XhcR3U7Swetls9RIyMHn~* zyIt?M^b!F3>|zWmZAUOXs5uEdcId=P!jd!N#);M82=6kf%MsR|HzJ`@cx;77xHuCQ zF-%QH4oZ#MQZ}Q6v`&MFF;&kgC+Jhct;jo{QCJL7BlR4!cAenN-fdQt#t3W&3&~0E zuSd>75z78S`6cF)#u;4`#hPdOeK9E+-liObA_R6giXyHHTuvGeqi|P-n`7LTs(% zE_CvgE3=H zv^ytt;bttL(U1Ow2F6?kt?ntJE|K->x?Zt1ZUkjj$+DWso}Gm*H7=3nBF<7eWtX0C zq8RlIt8<5sK6d!zarMOU(Xmr!&-9EsVy>l;c+#~?N7Bi-G#(DCo^xkQqt28oYf8r` zwTIRAp>2CgLwid@kE(4$!#j3v9pdUat>dIL9_b+VG(I(~E-cMA8roNnQvo!bDYbuQ z#t-)FIW+0RC(h*`?1$8LSs6^G_+V+=(f+VHJnKXg+P$a)SM|0Z`c!WO+5W5v;MkozZV`!fU6%QuRhzGY14ej1GsAs=;`16B(JtL<^jx?A3G5 zqnP(fC&I{&hgDEFkMV)+`&9PxKyRQn9Z=i)_Vwg_$J#B7X!yxWYu{N{DPCW;EtjlHDlpC5a z7{0zVU>&a!D3$L7PMIjwu^OoxDXIx}G$D-zVt`%!nV9QoO$zS2kxghxAP5y+ky=afQ{yP7jbUO8g{@Fc^AiV0||8J>xIg*@Qt)Sj#=c zR6K1$NGmh&08(wYr zHAWh4*%fwEG6w0ICN#<9)wwe(9`8JnXii7&3^F_7Mzk)h>OQlH3GLos^>OL@+7{5^ zL#6=~<1VKZ$4C3uR@$wzm-(-)0;FRA}PZ8B^^l?lyu*HR9`n17bwQM zi+DcA(fp;Y1m$!ZXtqb}G_R5~LU=v#d%$=&&FY;(60;H~Cw-zqNzzDmuOK z%F_Gjb}HIGboZWIS^)!z@mwn^%2`A+k!# zOCcd0S?MlD0E6ar_72=xp+|m^&tY;t{=~eI$V9%0taZw;mV2$*ui`0qV3&*u^2L|! z!aZ(&sW}mc4zMc|j9Z85+G9PY<)k$!Y4cC)Eo&$^Vt}lb`m1-c`E*rTn%ABwM-$@k znPN>*OOk7%%+>M(u54OG`)f6=E$;GaFXwH5kBMz%ienJ`vYaxWr=%hwNv!P5gslWd z!O+#;<_RpDFSe4|8h#0FTud5Y)9~h{o$=l7)>n+kq(gC;2~yIE#uo=R5g-em{i;gv wH8V|VFLERj@IMq{bjv#8OzoYHyv}md6sL<<(kM=6N%wZz-_bG+bEE<5KW;zlnE(I) delta 69 zcmccVFqzrno)F7a1|VPrVi_P-0b*t#)&XJ=umIvnprj>`2C0F8$@YS2lkW?D1ppee B2yOrX diff --git a/lang/python/az_AZ/LC_MESSAGES/python.po b/lang/python/az_AZ/LC_MESSAGES/python.po index e9a495cf9..ede276cf7 100644 --- a/lang/python/az_AZ/LC_MESSAGES/python.po +++ b/lang/python/az_AZ/LC_MESSAGES/python.po @@ -3,13 +3,17 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. # +# Translators: +# Xəyyam Qocayev , 2020 +# #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" +"Last-Translator: Xəyyam Qocayev , 2020\n" "Language-Team: Azerbaijani (Azerbaijan) (https://www.transifex.com/calamares/teams/20061/az_AZ/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -17,320 +21,340 @@ msgstr "" "Language: az_AZ\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB tənzimləmələri" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Disk bölmələri qoşulur." + +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Tənzimləmə xətası" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
istifadə etmək üçün bölmələr təyin edilməyib" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Systemd xidmətini tənzimləmək" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Xidmətdə dəyişiklik etmək mümkün olmadı" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" +"systemctl {arg!s} chroot çağırışına xəta kodu ilə cavab verdi " +"{num!s}." -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "{name!s} systemd xidməti aktiv edilmədi." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "" +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "{name!s} systemd hədəfi aktiv edilmədi" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "{name!s} systemd hədfi sönsürülmədi." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "{name!s} systemd vahidi maskalanmır." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +"Naməlum systemd əmrləri {command!s}{suffix!s} " +"{name!s} vahidi üçün." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Fayl sistemini ayırmaq." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." -msgstr "" +msgstr "Fayl sistemlərini doldurmaq." #: src/modules/unpackfs/main.py:257 msgid "rsync failed with error code {}." -msgstr "" +msgstr "rsync uğursuz oldu, xəta kodu: {}." #: src/modules/unpackfs/main.py:302 msgid "Unpacking image {}/{}, file {}/{}" msgstr "" +"Tərkibi çıxarılan quraşdırma faylı - image {}/{}, çıxarılan faylların sayı " +"{}/{}" #: src/modules/unpackfs/main.py:317 msgid "Starting to unpack {}" -msgstr "" +msgstr "Tərkiblərini açmağa başladılır {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" -msgstr "" +msgstr "\"{}\" quraşdırma faylının tərkibini çıxarmaq alınmadı" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" -msgstr "" +msgstr "Kök bölməsi üçün qoşulma nöqtəsi yoxdur" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" +"globalstorage tərkibində bir \"rootMountPoint\" açarı yoxdur, heç bir " +"əməliyyat getmir" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" -msgstr "" +msgstr "Kök bölməsi üçün xətalı qoşulma nöqtəsi" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" -msgstr "" +msgstr "rootMountPoint \"{}\" mövcud deyil, heç bir əməliyyat getmir" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" -msgstr "" +msgstr "Unsquash xətalı tənzimlənməsi" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" -msgstr "" +msgstr "\"{}\" ({}) fayl sistemi sizin nüvəniz tərəfindən dəstəklənmir" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" -msgstr "" +msgstr "\"{}\" mənbə fayl sistemi mövcud deyil" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" +"unsquashfs tapılmadı, squashfs-tools paketinin quraşdırıldığına əmin olun" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" -msgstr "" +msgstr "Hədəf sistemində təyin edilən \"{}\", qovluq deyil" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM tənzimləmə faylı yazıla bilmir" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM tənzimlənə bilmir" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM qarşılama quraşdırılmayıb." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLİM tənzimləmə faylı yazıla bilmir" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLİM tənzimləmə faylı {!s} mövcud deyil" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "displaymanager modulu üçün ekran menecerləri seçilməyib." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"displaymanagers siyahısı boşdur və ya bothglobalstorage və " +"displaymanager.conf tənzimləmə fayllarında təyin edilməyib." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Ekran meneceri tənzimləmələri başa çatmadı" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio tənzimlənir." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" +"
{!s}
istifadə etmək üçün kök qoşulma nöqtəsi təyin edilməyib." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." -msgstr "" +msgstr "Çifrələnmiş mübadilə sahəsi - swap tənzimlənir." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Quraşdırılma tarixi." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" -msgstr "" +msgstr "OpenRC xidmətlərini tənzimləmək" #: src/modules/services-openrc/main.py:66 msgid "Cannot add service {name!s} to run-level {level!s}." -msgstr "" +msgstr "{name!s} xidməti {level!s} işləmə səviyyəsinə əlavə edilə bilmir." #: src/modules/services-openrc/main.py:68 msgid "Cannot remove service {name!s} from run-level {level!s}." -msgstr "" +msgstr "{name!s} xidməti {level!s} iş səviyyəsindən silinə bilmir." #: src/modules/services-openrc/main.py:70 msgid "" "Unknown service-action {arg!s} for service {name!s} in run-" "level {level!s}." msgstr "" +"{level!s} işləmə səviyyəsindəki {name!s} xidməti üçün naməlum " +"{arg!s} xidmət fəaliyyəti." #: src/modules/services-openrc/main.py:103 msgid "" "rc-update {arg!s} call in chroot returned error code {num!s}." msgstr "" +"rc-update {arg!s} chroot-da çağırışına {num!s} xəta kodu ilə " +"cavab verildi." #: src/modules/services-openrc/main.py:110 msgid "Target runlevel does not exist" -msgstr "" +msgstr "Hədəf işləmə səviyyəsi mövcud deyil" #: src/modules/services-openrc/main.py:111 msgid "" "The path for runlevel {level!s} is {path!s}, which does not " "exist." msgstr "" +"{level!s} işləmə səviyyəsi üçün {path!s} yolu mövcud deyil." #: src/modules/services-openrc/main.py:119 msgid "Target service does not exist" -msgstr "" +msgstr "Hədəf xidməti mövcud deyil" #: src/modules/services-openrc/main.py:120 msgid "" "The path for service {name!s} is {path!s}, which does not " "exist." -msgstr "" +msgstr "{name!s} üçün {path!s} yolu mövcud deyil." -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth mövzusu tənzimlənməsi" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Paketləri quraşdırmaq." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "(%(count)d / %(total)d) paketləri işlənir" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Bir paket quraşdırılır." +msgstr[1] "%(num)d paket quraşdırılır." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Bir paket silinir" +msgstr[1] "%(num)d paket silinir." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Önyükləyici qurulur." -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Aparat saatını ayarlamaq." -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." +msgstr "Dracut ilə initramfs yaratmaq." -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "" +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" +msgstr "Hədəfdə dracut başladılmadı" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" +msgstr "Çıxış kodu {} idi" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs tənzimlənir." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt xidməti tənzimlənir." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab yazılır." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python işi." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "{} Dummy python addımı" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Lokallaşma tənzimlənir." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Şəbəkə ayarları saxlanılır." diff --git a/lang/python/be/LC_MESSAGES/python.po b/lang/python/be/LC_MESSAGES/python.po index d5423d155..f4c7e65e2 100644 --- a/lang/python/be/LC_MESSAGES/python.po +++ b/lang/python/be/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Zmicer Turok , 2020\n" "Language-Team: Belarusian (https://www.transifex.com/calamares/teams/20061/be/)\n" @@ -21,73 +21,75 @@ msgstr "" "Language: be\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Усталяваць пакункі." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Наладзіць GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Апрацоўка пакункаў (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Мантаванне раздзелаў." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Усталёўка аднаго пакунка." -msgstr[1] "Усталёўка %(num)d пакункаў." -msgstr[2] "Усталёўка %(num)d пакункаў." -msgstr[3] "Усталёўка%(num)d пакункаў." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Памылка канфігурацыі" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Выдаленне аднаго пакунка." -msgstr[1] "Выдаленне %(num)d пакункаў." -msgstr[2] "Выдаленне %(num)d пакункаў." -msgstr[3] "Выдаленне %(num)d пакункаў." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Раздзелы для
{!s}
не вызначаныя." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Захаванне сеткавай канфігурацыі." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Наладзіць службы systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Памылка канфігурацыі" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Немагчыма наладзіць службу" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Каранёвы пункт мантавання для
{!s}
не пададзены." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "systemctl {arg!s} у chroot вярнуў код памылкі {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Адмантаваць файлавыя сістэмы." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Немагчыма ўключыць службу systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Наладка mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Немагчыма ўключыць мэту systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Раздзелы для
{!s}
не вызначаныя." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Немагчыма выключыць мэту systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Наладка OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Немагчыма замаскаваць адзінку systemd {name!s}. " + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Невядомыя systemd загады {command!s} і {suffix!s} " +"для адзінкі {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Адмантаваць файлавыя сістэмы." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -105,40 +107,40 @@ msgstr "Распакоўванне вобраза {}/{}, файл {}/{}" msgid "Starting to unpack {}" msgstr "Запуск распакоўвання {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Не атрымалася распакаваць вобраз \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Для каранёвага раздзела няма пункта мантавання" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage не змяшчае ключа \"rootMountPoint\", нічога не выконваецца" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Хібны пункт мантавання для каранёвага раздзела" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint \"{}\" не існуе, нічога не выконваецца" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Хібная канфігурацыя unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Файлавая сістэма для \"{}\" ({}) не падтрымліваецца вашым бягучым ядром" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Зыходная файлавая сістэма \"{}\" не існуе" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -146,81 +148,85 @@ msgstr "" "Не атрымалася знайсці unsquashfs, праверце ці ўсталяваны ў вас пакунак " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Пункт прызначэння \"{}\" у мэтавай сістэме не з’яўляецца каталогам" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Наладзіць службы systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Немагчыма запісаць файл канфігурацыі KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Немагчыма наладзіць службу" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Файл канфігурацыі KDM {!s} не існуе" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "systemctl {arg!s} у chroot вярнуў код памылкі {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Немагчыма запісаць файл канфігурацыі LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Немагчыма ўключыць службу systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Файл канфігурацыі LXDM {!s} не існуе" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Немагчыма ўключыць мэту systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Немагчыма запісаць файл канфігурацыі LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Немагчыма выключыць мэту systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Файл канфігурацыі LightDM {!s} не існуе" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Немагчыма замаскаваць адзінку systemd {name!s}. " +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Немагчыма наладзіць LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Невядомыя systemd загады {command!s} і {suffix!s} " -"для адзінкі {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM greeter не ўсталяваны." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Задача Dummy python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Немагчыма запісаць файл канфігурацыі SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Крок Dummy python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Файл канфігурацыі SLIM {!s} не існуе" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Усталяваць загрузчык." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "У модулі дысплейных кіраўнікоў нічога не абрана." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Наладка лакаляў." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Спіс дысплейных кіраўнікоў пусты альбо не вызначаны ў bothglobalstorage і " +"displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Мантаванне раздзелаў." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Наладка дысплейнага кіраўніка не завершаная." -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Наладзіць тэму Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Наладка mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Каранёвы пункт мантавання для
{!s}
не пададзены." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Наладка зашыфраванага swap." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Запіс fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Усталёўка даных." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -268,6 +274,46 @@ msgid "" "exist." msgstr "Шлях {path!s} да службы {level!s} не існуе." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Наладзіць тэму Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Усталяваць пакункі." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Апрацоўка пакункаў (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Усталёўка аднаго пакунка." +msgstr[1] "Усталёўка %(num)d пакункаў." +msgstr[2] "Усталёўка %(num)d пакункаў." +msgstr[3] "Усталёўка%(num)d пакункаў." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Выдаленне аднаго пакунка." +msgstr[1] "Выдаленне %(num)d пакункаў." +msgstr[2] "Выдаленне %(num)d пакункаў." +msgstr[3] "Выдаленне %(num)d пакункаў." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Усталяваць загрузчык." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Наладка апаратнага гадзінніка." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Стварэнне initramfs з dracut." @@ -280,74 +326,31 @@ msgstr "Не атрымалася запусціць dracut у пункце пр msgid "The exit code was {}" msgstr "Код выхаду {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Наладзіць GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Немагчыма запісаць файл канфігурацыі KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Файл канфігурацыі KDM {!s} не існуе" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Немагчыма запісаць файл канфігурацыі LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Файл канфігурацыі LXDM {!s} не існуе" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Немагчыма запісаць файл канфігурацыі LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Файл канфігурацыі LightDM {!s} не існуе" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Немагчыма наладзіць LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "LightDM greeter не ўсталяваны." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Немагчыма запісаць файл канфігурацыі SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Файл канфігурацыі SLIM {!s} не існуе" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Наладка initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "У модулі дысплейных кіраўнікоў нічога не абрана." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Наладка OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Спіс дысплейных кіраўнікоў пусты альбо не вызначаны ў bothglobalstorage і " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Запіс fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Наладка дысплейнага кіраўніка не завершаная." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Задача Dummy python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Наладка initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Крок Dummy python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Наладка апаратнага гадзінніка." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Наладка лакаляў." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Усталёўка даных." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Захаванне сеткавай канфігурацыі." diff --git a/lang/python/bg/LC_MESSAGES/python.po b/lang/python/bg/LC_MESSAGES/python.po index f61bc47f0..b05e10126 100644 --- a/lang/python/bg/LC_MESSAGES/python.po +++ b/lang/python/bg/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Georgi Georgiev , 2020\n" "Language-Team: Bulgarian (https://www.transifex.com/calamares/teams/20061/bg/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: bg\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Инсталирай пакетите." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Обработване на пакетите (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Инсталиране на един пакет." -msgstr[1] "Инсталиране на %(num)d пакети." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Премахване на един пакет." -msgstr[1] "Премахване на %(num)d пакети." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Демонтирай файловите системи." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Демонтирай файловите системи." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Фиктивна задача на python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Фиктивна стъпка на python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Инсталирай пакетите." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Обработване на пакетите (%(count)d / %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Инсталиране на един пакет." +msgstr[1] "Инсталиране на %(num)d пакети." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Премахване на един пакет." +msgstr[1] "Премахване на %(num)d пакети." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Фиктивна задача на python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Фиктивна стъпка на python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/bn/LC_MESSAGES/python.po b/lang/python/bn/LC_MESSAGES/python.po index c0feed0ec..529799daf 100644 --- a/lang/python/bn/LC_MESSAGES/python.po +++ b/lang/python/bn/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Bengali (https://www.transifex.com/calamares/teams/20061/bn/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: bn\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/ca/LC_MESSAGES/python.po b/lang/python/ca/LC_MESSAGES/python.po index 2dc513d6a..4549b1e17 100644 --- a/lang/python/ca/LC_MESSAGES/python.po +++ b/lang/python/ca/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Davidmp , 2020\n" "Language-Team: Catalan (https://www.transifex.com/calamares/teams/20061/ca/)\n" @@ -21,70 +21,77 @@ msgstr "" "Language: ca\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instal·la els paquets." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configura el GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Es processen paquets (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Es munten les particions." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "S'instal·la un paquet." -msgstr[1] "S'instal·len %(num)d paquets." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Error de configuració" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Se suprimeix un paquet." -msgstr[1] "Se suprimeixen %(num)d paquets." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "No s'han definit particions perquè les usi
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Es desa la configuració de la xarxa." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configura els serveis de systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Error de configuració" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "No es pot modificar el servei." -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"No s'ha proporcionat el punt de muntatge perquè l'usi
{!s}
." +"La crida de systemctl {arg!s} a chroot ha retornat el codi " +"d'error {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmunta els sistemes de fitxers." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "No es pot habilitar el servei de systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Es configura mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "No es pot habilitar la destinació de systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "No s'han definit particions perquè les usi
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "No es pot inhabilitar la destinació de systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Es configura el sevei OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "No es pot emmascarar la unitat de systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Ordres desconegudes de systemd: {command!s} i " +"{suffix!s}, per a la unitat {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmunta els sistemes de fitxers." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -102,40 +109,40 @@ msgstr "Es desempaqueta la imatge {}/{}, fitxer {}/{}" msgid "Starting to unpack {}" msgstr "Es comença a desempaquetar {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Ha fallat desempaquetar la imatge \"{}\"." -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "No hi ha punt de muntatge per a la partició d'arrel." -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage no conté cap clau de \"rootMountPoint\". No es fa res." -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Punt de muntatge incorrecte per a la partició d'arrel" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "El punt de muntatge d'arrel és \"{}\", que no existeix. No es fa res." -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Configuració incorrecta d'unsquash." -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "El sistema de fitxers per a {} ({}) no és admès pel nucli actual." -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "El sistema de fitxers font \"{}\" no existeix." -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -143,83 +150,87 @@ msgstr "" "Ha fallat trobar unsquashfs, assegureu-vos que tingueu el paquet squashfs-" "tools instal·lat." -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "La destinació \"{}\" al sistema de destinació no és un directori." -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configura els serveis de systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "No es pot escriure el fitxer de configuració del KDM." -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "No es pot modificar el servei." +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "El fitxer de configuració del KDM {!s} no existeix." -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"La crida de systemctl {arg!s} a chroot ha retornat el codi " -"d'error {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "No es pot escriure el fitxer de configuració de l'LXDM." -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "No es pot habilitar el servei de systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "El fitxer de configuració de l'LXDM {!s} no existeix." -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "No es pot habilitar la destinació de systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "No es pot escriure el fitxer de configuració del LightDM." -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "No es pot inhabilitar la destinació de systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "El fitxer de configuració del LightDM {!s} no existeix." -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "No es pot emmascarar la unitat de systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "No es pot configurar el LightDM." -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Ordres desconegudes de systemd: {command!s} i " -"{suffix!s}, per a la unitat {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "No hi ha benvinguda instal·lada per al LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tasca de python fictícia." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "No es pot escriure el fitxer de configuració de l'SLIM." -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Pas de python fitctici {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "El fitxer de configuració de l'SLIM {!s} no existeix." -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "S'instal·la el carregador d'arrencada." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"No hi ha cap gestor de pantalla seleccionat per al mòdul displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Es configuren les llengües." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"La llista de gestors de pantalla és buida o no definida a bothglobalstorage " +"i displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Es munten les particions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "La configuració del gestor de pantalla no era completa." -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configura el tema del Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Es configura mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"No s'ha proporcionat el punt de muntatge perquè l'usi
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Es configura l'intercanvi encriptat." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "S'escriu fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "S'instal·len dades." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -272,6 +283,42 @@ msgid "" msgstr "" "El camí per al servei {name!s} és {path!s}, però no existeix." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configura el tema del Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instal·la els paquets." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Es processen paquets (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "S'instal·la un paquet." +msgstr[1] "S'instal·len %(num)d paquets." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Se suprimeix un paquet." +msgstr[1] "Se suprimeixen %(num)d paquets." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "S'instal·la el carregador d'arrencada." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "S'estableix el rellotge del maquinari." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Es creen initramfs amb dracut." @@ -284,75 +331,31 @@ msgstr "Ha fallat executar dracut a la destinació." msgid "The exit code was {}" msgstr "El codi de sortida ha estat {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configura el GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "No es pot escriure el fitxer de configuració del KDM." - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "El fitxer de configuració del KDM {!s} no existeix." - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "No es pot escriure el fitxer de configuració de l'LXDM." - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "El fitxer de configuració de l'LXDM {!s} no existeix." - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "No es pot escriure el fitxer de configuració del LightDM." - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "El fitxer de configuració del LightDM {!s} no existeix." - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "No es pot configurar el LightDM." - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "No hi ha benvinguda instal·lada per al LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "No es pot escriure el fitxer de configuració de l'SLIM." - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "El fitxer de configuració de l'SLIM {!s} no existeix." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Es configuren initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"No hi ha cap gestor de pantalla seleccionat per al mòdul displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Es configura el sevei OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"La llista de gestors de pantalla és buida o no definida a bothglobalstorage " -"i displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "S'escriu fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "La configuració del gestor de pantalla no era completa." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tasca de python fictícia." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Es configuren initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Pas de python fitctici {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "S'estableix el rellotge del maquinari." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Es configuren les llengües." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "S'instal·len dades." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Es desa la configuració de la xarxa." diff --git a/lang/python/ca@valencia/LC_MESSAGES/python.po b/lang/python/ca@valencia/LC_MESSAGES/python.po index 89cb446b7..e33bba2dd 100644 --- a/lang/python/ca@valencia/LC_MESSAGES/python.po +++ b/lang/python/ca@valencia/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Catalan (Valencian) (https://www.transifex.com/calamares/teams/20061/ca@valencia/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: ca@valencia\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/cs_CZ/LC_MESSAGES/python.po b/lang/python/cs_CZ/LC_MESSAGES/python.po index 5c79debcd..e2b0e6596 100644 --- a/lang/python/cs_CZ/LC_MESSAGES/python.po +++ b/lang/python/cs_CZ/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Pavel Borecki , 2020\n" "Language-Team: Czech (Czech Republic) (https://www.transifex.com/calamares/teams/20061/cs_CZ/)\n" @@ -22,73 +22,76 @@ msgstr "" "Language: cs_CZ\n" "Plural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n >= 2 && n <= 4 && n % 1 == 0) ? 1: (n % 1 != 0 ) ? 2 : 3;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalovat balíčky." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Nastavování zavaděče GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Zpracovávání balíčků (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Připojování oddílů." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Je instalován jeden balíček." -msgstr[1] "Jsou instalovány %(num)d balíčky." -msgstr[2] "Je instalováno %(num)d balíčků." -msgstr[3] "Je instalováno %(num)d balíčků." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Chyba nastavení" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Odebírá se jeden balíček." -msgstr[1] "Odebírají se %(num)d balíčky." -msgstr[2] "Odebírá se %(num)d balíčků." -msgstr[3] "Odebírá se %(num)d balíčků." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Pro
{!s}
nejsou zadány žádné oddíly." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Ukládání nastavení sítě." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Nastavit služby systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Chyba nastavení" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Službu se nedaří upravit" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Pro
{!s}
není zadán žádný přípojný bod." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"Volání systemctl {arg!s} v chroot vrátilo chybový kód {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Odpojit souborové systémy." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Nedaří se zapnout systemd službu {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Nastavování mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Nedaří se zapnout systemd službu {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Pro
{!s}
nejsou zadány žádné oddíly." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Nedaří se vypnout systemd cíl {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Nastavování služby OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Nedaří se maskovat systemd jednotku {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Neznámé systemd příkazy {command!s} a {suffix!s} " +"pro jednotku {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Odpojit souborové systémy." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -106,42 +109,42 @@ msgstr "Rozbalování obrazu {}/{}, soubor {}/{}" msgid "Starting to unpack {}" msgstr "Zahajování rozbalení {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Nepodařilo se rozbalit obraz „{}“" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Žádný přípojný bot pro kořenový oddíl" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage neobsahuje klíč „rootMountPoint“ – nic se nebude dělat" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Chybný přípojný bod pro kořenový oddíl" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "kořenovýPřípojnýBod je „{}“, který neexistuje – nic se nebude dělat" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Chybná nastavení unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "Souborový systém „{}“ ({}) není jádrem systému, které právě používáte, " "podporován" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Zdrojový souborový systém „{}“ neexistuje" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -149,82 +152,85 @@ msgstr "" "Nepodařilo se nalézt unsquashfs – ověřte, že máte nainstalovaný balíček " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Cíl „{}“ v cílovém systému není složka" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Nastavit služby systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Nedaří se zapsat soubor s nastaveními pro KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Službu se nedaří upravit" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Soubor s nastaveními pro KDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"Volání systemctl {arg!s} v chroot vrátilo chybový kód {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Nedaří se zapsat soubor s nastaveními pro LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Nedaří se zapnout systemd službu {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Soubor s nastaveními pro LXDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Nedaří se zapnout systemd službu {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Nedaří se zapsat soubor s nastaveními pro LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Nedaří se vypnout systemd cíl {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Soubor s nastaveními pro LightDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Nedaří se maskovat systemd jednotku {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Nedaří se nastavit LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Neznámé systemd příkazy {command!s} a {suffix!s} " -"pro jednotku {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Není nainstalovaný žádný LightDM přivítač" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Testovací úloha python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Nedaří se zapsat soubor s nastaveními pro SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Testovací krok {} python." +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Soubor s nastaveními pro SLIM {!s} neexistuje" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalace zavaděče systému." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Pro modul správce sezení nejsou vybrány žádní správci sezení." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Nastavování místních a jazykových nastavení." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Seznam správců displejů je prázdný nebo není definován v bothglobalstorage a" +" displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Připojování oddílů." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Nastavení správce displeje nebylo úplné" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Nastavit téma vzhledu pro Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Nastavování mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Pro
{!s}
není zadán žádný přípojný bod." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Nastavování šifrovaného prostoru pro odkládání stránek paměti." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Zapisování fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instalace dat." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -278,6 +284,46 @@ msgstr "" "Popis umístění pro službu {name!s} je {path!s}, která " "neexistuje." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Nastavit téma vzhledu pro Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalovat balíčky." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Zpracovávání balíčků (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Je instalován jeden balíček." +msgstr[1] "Jsou instalovány %(num)d balíčky." +msgstr[2] "Je instalováno %(num)d balíčků." +msgstr[3] "Je instalováno %(num)d balíčků." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Odebírá se jeden balíček." +msgstr[1] "Odebírají se %(num)d balíčky." +msgstr[2] "Odebírá se %(num)d balíčků." +msgstr[3] "Odebírá se %(num)d balíčků." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalace zavaděče systému." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Nastavování hardwarových hodin." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Vytváření initramfs s dracut." @@ -290,74 +336,31 @@ msgstr "Na cíli se nepodařilo spustit dracut" msgid "The exit code was {}" msgstr "Návratový kód byl {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Nastavování zavaděče GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Nedaří se zapsat soubor s nastaveními pro KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Soubor s nastaveními pro KDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Nedaří se zapsat soubor s nastaveními pro LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Soubor s nastaveními pro LXDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Nedaří se zapsat soubor s nastaveními pro LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Soubor s nastaveními pro LightDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Nedaří se nastavit LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Není nainstalovaný žádný LightDM přivítač" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Nedaří se zapsat soubor s nastaveními pro SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Soubor s nastaveními pro SLIM {!s} neexistuje" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Nastavování initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Pro modul správce sezení nejsou vybrány žádní správci sezení." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Nastavování služby OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Seznam správců displejů je prázdný nebo není definován v bothglobalstorage a" -" displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Zapisování fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Nastavení správce displeje nebylo úplné" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Testovací úloha python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Nastavování initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Testovací krok {} python." -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Nastavování hardwarových hodin." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Nastavování místních a jazykových nastavení." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instalace dat." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Ukládání nastavení sítě." diff --git a/lang/python/da/LC_MESSAGES/python.po b/lang/python/da/LC_MESSAGES/python.po index 056316d97..3aa90eaad 100644 --- a/lang/python/da/LC_MESSAGES/python.po +++ b/lang/python/da/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: scootergrisen, 2020\n" "Language-Team: Danish (https://www.transifex.com/calamares/teams/20061/da/)\n" @@ -22,70 +22,76 @@ msgstr "" "Language: da\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Installér pakker." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfigurer GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Forarbejder pakker (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Monterer partitioner." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installerer én pakke." -msgstr[1] "Installerer %(num)d pakker." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Fejl ved konfiguration" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Fjerner én pakke." -msgstr[1] "Fjerner %(num)d pakker." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Der er ikke angivet nogle partitioner som
{!s}
skal bruge." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Gemmer netværkskonfiguration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfigurer systemd-tjenester" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Fejl ved konfiguration" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Kan ikke redigere tjeneste" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Der er ikke angivet noget rodmonteringspunkt som
{!s}
skal bruge." +"systemctl {arg!s}-kald i chroot returnerede fejlkoden {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Afmonter filsystemer." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Kan ikke aktivere systemd-tjenesten {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfigurerer mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Kan ikke aktivere systemd-målet {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Der er ikke angivet nogle partitioner som
{!s}
skal bruge." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Kan ikke deaktivere systemd-målet {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Konfigurerer OpenRC dmcrypt-tjeneste." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Kan ikke maskere systemd-enheden {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Ukendte systemd-kommandoer {command!s} og " +"{suffix!s} til enheden {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Afmonter filsystemer." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -103,40 +109,40 @@ msgstr "Udpakker aftrykket {}/{}, filen {}/{}" msgid "Starting to unpack {}" msgstr "Begynder at udpakke {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Kunne ikke udpakke aftrykket \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Intet monteringspunkt til rodpartition" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage indeholder ikke en \"rootMountPoint\"-nøgle, gør intet" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Dårligt monteringspunkt til rodpartition" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint er \"{}\", hvilket ikke findes, gør intet" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Dårlig unsquash-konfiguration" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Filsystemet til \"{}\" ({}) understøttes ikke af din nuværende kerne" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Kildefilsystemet \"{}\" findes ikke" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -144,82 +150,87 @@ msgstr "" "Kunne ikke finde unsquashfs, sørg for at squashfs-tools-pakken er " "installeret" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Destinationen \"{}\" i målsystemet er ikke en mappe" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfigurer systemd-tjenester" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Kan ikke skrive KDM-konfigurationsfil" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Kan ikke redigere tjeneste" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM-konfigurationsfil {!s} findes ikke" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s}-kald i chroot returnerede fejlkoden {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Kan ikke skrive LXDM-konfigurationsfil" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Kan ikke aktivere systemd-tjenesten {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM-konfigurationsfil {!s} findes ikke" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Kan ikke aktivere systemd-målet {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Kan ikke skrive LightDM-konfigurationsfil" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Kan ikke deaktivere systemd-målet {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM-konfigurationsfil {!s} findes ikke" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Kan ikke maskere systemd-enheden {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Kan ikke konfigurerer LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Ukendte systemd-kommandoer {command!s} og " -"{suffix!s} til enheden {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Der er ikke installeret nogen LightDM greeter." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy python-job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Kan ikke skrive SLIM-konfigurationsfil" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python-trin {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM-konfigurationsfil {!s} findes ikke" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Installér bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"Der er ikke valgt nogen displayhåndteringer til displayhåndtering-modulet." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfigurerer lokaliteter." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Listen over displayhåndteringer er tom eller udefineret i bothglobalstorage " +"og displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Monterer partitioner." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Displayhåndtering-konfiguration er ikke komplet" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfigurer Plymouth-tema" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfigurerer mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Der er ikke angivet noget rodmonteringspunkt som
{!s}
skal bruge." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfigurerer krypteret swap." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Skriver fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Installerer data." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -270,6 +281,42 @@ msgid "" msgstr "" "Stien til tjenesten {name!s} er {path!s}, som ikke findes." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfigurer Plymouth-tema" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Installér pakker." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Forarbejder pakker (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installerer én pakke." +msgstr[1] "Installerer %(num)d pakker." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Fjerner én pakke." +msgstr[1] "Fjerner %(num)d pakker." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Installér bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Indstiller hardwareur." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Opretter initramfs med dracut." @@ -282,75 +329,31 @@ msgstr "Kunne ikke køre dracut på målet" msgid "The exit code was {}" msgstr "Afslutningskoden var {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfigurer GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Kan ikke skrive KDM-konfigurationsfil" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM-konfigurationsfil {!s} findes ikke" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Kan ikke skrive LXDM-konfigurationsfil" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM-konfigurationsfil {!s} findes ikke" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Kan ikke skrive LightDM-konfigurationsfil" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM-konfigurationsfil {!s} findes ikke" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Kan ikke konfigurerer LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Der er ikke installeret nogen LightDM greeter." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Kan ikke skrive SLIM-konfigurationsfil" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM-konfigurationsfil {!s} findes ikke" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfigurerer initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"Der er ikke valgt nogen displayhåndteringer til displayhåndtering-modulet." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Konfigurerer OpenRC dmcrypt-tjeneste." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Listen over displayhåndteringer er tom eller udefineret i bothglobalstorage " -"og displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Skriver fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Displayhåndtering-konfiguration er ikke komplet" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python-job." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfigurerer initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python-trin {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Indstiller hardwareur." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfigurerer lokaliteter." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Installerer data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Gemmer netværkskonfiguration." diff --git a/lang/python/de/LC_MESSAGES/python.po b/lang/python/de/LC_MESSAGES/python.po index 19bd1c911..25e2e98d3 100644 --- a/lang/python/de/LC_MESSAGES/python.po +++ b/lang/python/de/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Andreas Eitel , 2020\n" "Language-Team: German (https://www.transifex.com/calamares/teams/20061/de/)\n" @@ -23,71 +23,77 @@ msgstr "" "Language: de\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Pakete installieren " +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB konfigurieren." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Verarbeite Pakete (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Hänge Partitionen ein." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installiere ein Paket" -msgstr[1] "Installiere %(num)d Pakete." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Konfigurationsfehler" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Entferne ein Paket" -msgstr[1] "Entferne %(num)d Pakete." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Für
{!s}
sind keine zu verwendenden Partitionen definiert." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Speichere Netzwerkkonfiguration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfiguriere systemd-Dienste" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Konfigurationsfehler" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Der Dienst kann nicht geändert werden." -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Für
{!s}
wurde kein Einhängepunkt für die Root-Partition " -"angegeben." +"systemctl {arg!s} Aufruf in chroot lieferte Fehlercode {num!s} " +"zurück." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Dateisysteme aushängen." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Der systemd-Dienst {name!s} kann nicht aktiviert werden." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfiguriere mkinitcpio. " +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Das systemd-Ziel {name!s} kann nicht aktiviert werden." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Für
{!s}
sind keine zu verwendenden Partitionen definiert." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Das systemd-Ziel {name!s} kann nicht deaktiviert werden." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Konfiguriere den dmcrypt-Dienst von OpenRC." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Die systemd-Einheit {name!s} kann nicht maskiert werden." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Unbekannte systemd-Befehle {command!s} und " +"{suffix!s} für Einheit {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Dateisysteme aushängen." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -105,43 +111,43 @@ msgstr "Bild Entpacken {}/{}, Datei {}/{}" msgid "Starting to unpack {}" msgstr "Beginn des Entpackens {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Entpacken des Image \"{}\" fehlgeschlagen" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Kein Einhängepunkt für die Root-Partition" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage enthält keinen Schlüssel namens \"rootMountPoint\", tue nichts" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Ungültiger Einhängepunkt für die Root-Partition" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint ist \"{}\", welcher nicht existiert, tue nichts" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Ungültige unsquash-Konfiguration" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "Das Dateisystem für \"{}\". ({}) wird von Ihrem aktuellen Kernel nicht " "unterstützt" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Das Quelldateisystem \"{}\" existiert nicht" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -149,83 +155,87 @@ msgstr "" "Konnte unsquashfs nicht finden, stellen Sie sicher, dass Sie das Paket " "namens squashfs-tools installiert haben" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Das Ziel \"{}\" im Zielsystem ist kein Verzeichnis" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfiguriere systemd-Dienste" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Schreiben der KDM-Konfigurationsdatei nicht möglich" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Der Dienst kann nicht geändert werden." +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM-Konfigurationsdatei {!s} existiert nicht" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} Aufruf in chroot lieferte Fehlercode {num!s} " -"zurück." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Schreiben der LXDM-Konfigurationsdatei nicht möglich" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Der systemd-Dienst {name!s} kann nicht aktiviert werden." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM-Konfigurationsdatei {!s} existiert nicht" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Das systemd-Ziel {name!s} kann nicht aktiviert werden." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Schreiben der LightDM-Konfigurationsdatei nicht möglich" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Das systemd-Ziel {name!s} kann nicht deaktiviert werden." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM-Konfigurationsdatei {!s} existiert nicht" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Die systemd-Einheit {name!s} kann nicht maskiert werden." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Konfiguration von LightDM ist nicht möglich" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Unbekannte systemd-Befehle {command!s} und " -"{suffix!s} für Einheit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Keine Benutzeroberfläche für LightDM installiert." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy Python-Job" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Schreiben der SLIM-Konfigurationsdatei nicht möglich" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy Python-Schritt {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM-Konfigurationsdatei {!s} existiert nicht" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Installiere Bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Keine Displaymanager für das Displaymanager-Modul ausgewählt." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfiguriere Lokalisierungen." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Die Liste der Displaymanager ist leer oder weder in globalstorage noch in " +"displaymanager.conf definiert." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Hänge Partitionen ein." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Die Konfiguration des Displaymanager war unvollständig." -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfiguriere Plymouth-Thema" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfiguriere mkinitcpio. " + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Für
{!s}
wurde kein Einhängepunkt für die Root-Partition " +"angegeben." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfiguriere verschlüsselten Auslagerungsspeicher." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Schreibe fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Installiere Daten." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -278,6 +288,42 @@ msgstr "" "Der Pfad für den Dienst {name!s} is {path!s}, welcher nicht " "existiert." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfiguriere Plymouth-Thema" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Pakete installieren " + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Verarbeite Pakete (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installiere ein Paket" +msgstr[1] "Installiere %(num)d Pakete." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Entferne ein Paket" +msgstr[1] "Entferne %(num)d Pakete." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Installiere Bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Einstellen der Hardware-Uhr." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Erstelle initramfs mit dracut." @@ -290,74 +336,31 @@ msgstr "Ausführen von dracut auf dem Ziel schlug fehl" msgid "The exit code was {}" msgstr "Der Exit-Code war {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB konfigurieren." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Schreiben der KDM-Konfigurationsdatei nicht möglich" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM-Konfigurationsdatei {!s} existiert nicht" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Schreiben der LXDM-Konfigurationsdatei nicht möglich" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM-Konfigurationsdatei {!s} existiert nicht" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Schreiben der LightDM-Konfigurationsdatei nicht möglich" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM-Konfigurationsdatei {!s} existiert nicht" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Konfiguration von LightDM ist nicht möglich" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Keine Benutzeroberfläche für LightDM installiert." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Schreiben der SLIM-Konfigurationsdatei nicht möglich" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM-Konfigurationsdatei {!s} existiert nicht" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfiguriere initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Keine Displaymanager für das Displaymanager-Modul ausgewählt." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Konfiguriere den dmcrypt-Dienst von OpenRC." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Die Liste der Displaymanager ist leer oder weder in globalstorage noch in " -"displaymanager.conf definiert." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Schreibe fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Die Konfiguration des Displaymanager war unvollständig." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy Python-Job" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfiguriere initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy Python-Schritt {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Einstellen der Hardware-Uhr." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfiguriere Lokalisierungen." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Installiere Daten." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Speichere Netzwerkkonfiguration." diff --git a/lang/python/el/LC_MESSAGES/python.po b/lang/python/el/LC_MESSAGES/python.po index f0d9c109e..95a2c90eb 100644 --- a/lang/python/el/LC_MESSAGES/python.po +++ b/lang/python/el/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Efstathios Iosifidis , 2017\n" "Language-Team: Greek (https://www.transifex.com/calamares/teams/20061/el/)\n" @@ -21,68 +21,72 @@ msgstr "" "Language: el\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "εγκατάσταση πακέτων." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "εγκατάσταση πακέτων." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/en_GB/LC_MESSAGES/python.po b/lang/python/en_GB/LC_MESSAGES/python.po index 745b1fef2..17fc8db1e 100644 --- a/lang/python/en_GB/LC_MESSAGES/python.po +++ b/lang/python/en_GB/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Jason Collins , 2018\n" "Language-Team: English (United Kingdom) (https://www.transifex.com/calamares/teams/20061/en_GB/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: en_GB\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installing one package." -msgstr[1] "Installing %(num)d packages." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Removing one package." -msgstr[1] "Removing %(num)d packages." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Unmount file systems." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Install packages." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Processing packages (%(count)d / %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installing one package." +msgstr[1] "Installing %(num)d packages." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Removing one package." +msgstr[1] "Removing %(num)d packages." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python job." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python step {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/eo/LC_MESSAGES/python.po b/lang/python/eo/LC_MESSAGES/python.po index 5a3b1ff62..b8c83ed0a 100644 --- a/lang/python/eo/LC_MESSAGES/python.po +++ b/lang/python/eo/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Kurt Ankh Phoenix , 2018\n" "Language-Team: Esperanto (https://www.transifex.com/calamares/teams/20061/eo/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: eo\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instali pakaĵoj." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Prilaborante pakaĵoj (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalante unu pakaĵo." -msgstr[1] "Instalante %(num)d pakaĵoj." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Forigante unu pakaĵo." -msgstr[1] "Forigante %(num)d pakaĵoj." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Demeti dosieraj sistemoj." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Demeti dosieraj sistemoj." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Formala python laboro." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Formala python paŝo {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instali pakaĵoj." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Prilaborante pakaĵoj (%(count)d / %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalante unu pakaĵo." +msgstr[1] "Instalante %(num)d pakaĵoj." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Forigante unu pakaĵo." +msgstr[1] "Forigante %(num)d pakaĵoj." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Formala python laboro." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Formala python paŝo {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/es/LC_MESSAGES/python.po b/lang/python/es/LC_MESSAGES/python.po index 302238518..3246f7d1f 100644 --- a/lang/python/es/LC_MESSAGES/python.po +++ b/lang/python/es/LC_MESSAGES/python.po @@ -16,7 +16,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Pier Jose Gotta Perez , 2020\n" "Language-Team: Spanish (https://www.transifex.com/calamares/teams/20061/es/)\n" @@ -26,70 +26,77 @@ msgstr "" "Language: es\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalar paquetes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configure GRUB - menú de arranque multisistema -" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Procesando paquetes (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montando particiones" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalando un paquete." -msgstr[1] "Instalando %(num)d paquetes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Error de configuración" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Eliminando un paquete." -msgstr[1] "Eliminando %(num)d paquetes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "No hay definidas particiones en 1{!s}1 para usar." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Guardando la configuración de red." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configurar servicios de systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Error de configuración" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "No se puede modificar el servicio" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"No se facilitó un punto de montaje raíz utilizable para
{!s}
" +"La orden systemctl {arg!s} en chroot devolvió el código de " +"error {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontar sistemas de archivos." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "No se puede activar el servicio de systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Configurando mkinitcpio - sistema de arranque básico -." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "No se puede activar el objetivo de systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "No hay definidas particiones en 1{!s}1 para usar." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "No se puede desactivar el objetivo de systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Configurando el servicio - de arranque encriptado -. OpenRC dmcrypt" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "No se puede enmascarar la unidad de systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Órdenes desconocidas de systemd {command!s} y " +"{suffix!s} para la/s unidad /es {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontar sistemas de archivos." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -107,45 +114,45 @@ msgstr "Desempaquetando la imagen {}/{}, archivo {}/{}" msgid "Starting to unpack {}" msgstr "Iniciando el desempaquetado {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "No se pudo desempaquetar la imagen «{}»" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" "No especificó un punto de montaje para la partición raíz - / o root -" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "No se hace nada porque el almacenamiento no contiene una clave de " "\"rootMountPoint\" punto de montaje para la raíz." -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Punto de montaje no válido para una partición raíz," -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "Como el punto de montaje raíz es \"{}\", y no existe, no se hace nada" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Configuración de \"unsquash\" no válida" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "El sistema de archivos para \"{}\" ({}) no es compatible con su kernel " "actual" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "El sistema de archivos de origen \"{}\" no existe" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -153,83 +160,88 @@ msgstr "" "No se encontró unsquashfs; cerciórese de que tenga instalado el paquete " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "El destino \"{}\" en el sistema escogido no es una carpeta" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configurar servicios de systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "No se puede escribir el archivo de configuración KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "No se puede modificar el servicio" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "El archivo de configuración {!s} de KDM no existe" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"La orden systemctl {arg!s} en chroot devolvió el código de " -"error {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "No se puede escribir el archivo de configuración LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "No se puede activar el servicio de systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "El archivo de configuracion {!s} de LXDM no existe" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "No se puede activar el objetivo de systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "No se puede escribir el archivo de configuración de LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "No se puede desactivar el objetivo de systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "El archivo de configuración {!s} de LightDM no existe" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "No se puede enmascarar la unidad de systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "No se puede configurar LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Órdenes desconocidas de systemd {command!s} y " -"{suffix!s} para la/s unidad /es {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "No está instalado el menú de bienvenida LightDM" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tarea de python ficticia." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "No se puede escribir el archivo de configuración de SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Paso {} de python ficticio" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "El archivo de configuración {!s} de SLIM no existe" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalar gestor de arranque." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"No se ha seleccionado ningún gestor de pantalla para el modulo " +"displaymanager" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Configurando especificaciones locales o regionales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"La lista de gestores de ventanas está vacía o no definida en ambos, el " +"almacenamiento y el archivo de su configuración - displaymanager.conf -" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montando particiones" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "La configuración del gestor de pantalla estaba incompleta" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configure el tema de Plymouth - menú de bienvenida." +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Configurando mkinitcpio - sistema de arranque básico -." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"No se facilitó un punto de montaje raíz utilizable para
{!s}
" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configurando la memoria de intercambio - swap - encriptada." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Escribiendo la tabla de particiones fstab" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instalando datos." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -285,6 +297,42 @@ msgstr "" "La ruta hacia el/los servicio/s {name!s} es {path!s}, y no " "existe." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configure el tema de Plymouth - menú de bienvenida." + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalar paquetes." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Procesando paquetes (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalando un paquete." +msgstr[1] "Instalando %(num)d paquetes." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Eliminando un paquete." +msgstr[1] "Eliminando %(num)d paquetes." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalar gestor de arranque." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Configurando el reloj de la computadora." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -298,76 +346,31 @@ msgstr "Falló en ejecutar dracut - constructor de arranques - en el objetivo" msgid "The exit code was {}" msgstr "El código de salida fue {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configure GRUB - menú de arranque multisistema -" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "No se puede escribir el archivo de configuración KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "El archivo de configuración {!s} de KDM no existe" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "No se puede escribir el archivo de configuración LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "El archivo de configuracion {!s} de LXDM no existe" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "No se puede escribir el archivo de configuración de LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "El archivo de configuración {!s} de LightDM no existe" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "No se puede configurar LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "No está instalado el menú de bienvenida LightDM" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "No se puede escribir el archivo de configuración de SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "El archivo de configuración {!s} de SLIM no existe" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Configurando initramfs - sistema de inicio -." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"No se ha seleccionado ningún gestor de pantalla para el modulo " -"displaymanager" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Configurando el servicio - de arranque encriptado -. OpenRC dmcrypt" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"La lista de gestores de ventanas está vacía o no definida en ambos, el " -"almacenamiento y el archivo de su configuración - displaymanager.conf -" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Escribiendo la tabla de particiones fstab" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "La configuración del gestor de pantalla estaba incompleta" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tarea de python ficticia." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Configurando initramfs - sistema de inicio -." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Paso {} de python ficticio" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Configurando el reloj de la computadora." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Configurando especificaciones locales o regionales." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instalando datos." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Guardando la configuración de red." diff --git a/lang/python/es_MX/LC_MESSAGES/python.po b/lang/python/es_MX/LC_MESSAGES/python.po index 408c58de8..7b0933ed9 100644 --- a/lang/python/es_MX/LC_MESSAGES/python.po +++ b/lang/python/es_MX/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Logan 8192 , 2018\n" "Language-Team: Spanish (Mexico) (https://www.transifex.com/calamares/teams/20061/es_MX/)\n" @@ -22,70 +22,74 @@ msgstr "" "Language: es_MX\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalar paquetes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Procesando paquetes (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalando un paquete." -msgstr[1] "Instalando%(num)d paquetes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Removiendo un paquete." -msgstr[1] "Removiendo %(num)dpaquetes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontar sistemas de archivo." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontar sistemas de archivo." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -102,117 +106,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "No se puede escribir el archivo de configuración de KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "El archivo de configuración de KDM {!s} no existe" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "No se puede escribir el archivo de configuración de LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "El archivo de configuración de LXDM {!s} no existe" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "No se puede escribir el archivo de configuración de LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "El archivo de configuración de LightDM {!s} no existe" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "No se puede configurar LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Trabajo python ficticio." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "No se puede escribir el archivo de configuración de SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Paso python ficticio {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -258,84 +266,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "No se puede escribir el archivo de configuración de KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "El archivo de configuración de KDM {!s} no existe" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "No se puede escribir el archivo de configuración de LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "El archivo de configuración de LXDM {!s} no existe" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalar paquetes." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "No se puede escribir el archivo de configuración de LightDM" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Procesando paquetes (%(count)d/%(total)d)" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "El archivo de configuración de LightDM {!s} no existe" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalando un paquete." +msgstr[1] "Instalando%(num)d paquetes." -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "No se puede configurar LightDM" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Removiendo un paquete." +msgstr[1] "Removiendo %(num)dpaquetes." -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "No se puede escribir el archivo de configuración de SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" #: src/modules/initramfscfg/main.py:41 msgid "Configuring initramfs." msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "" + +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Trabajo python ficticio." + +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Paso python ficticio {}" + +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "" + +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/es_PR/LC_MESSAGES/python.po b/lang/python/es_PR/LC_MESSAGES/python.po index c10899bea..503461528 100644 --- a/lang/python/es_PR/LC_MESSAGES/python.po +++ b/lang/python/es_PR/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Spanish (Puerto Rico) (https://www.transifex.com/calamares/teams/20061/es_PR/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: es_PR\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/et/LC_MESSAGES/python.po b/lang/python/et/LC_MESSAGES/python.po index 1f2f4ae2f..73b642c14 100644 --- a/lang/python/et/LC_MESSAGES/python.po +++ b/lang/python/et/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Madis Otenurm, 2019\n" "Language-Team: Estonian (https://www.transifex.com/calamares/teams/20061/et/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: et\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Paigalda paketid." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Pakkide töötlemine (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Paigaldan ühe paketi." -msgstr[1] "Paigaldan %(num)d paketti." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Eemaldan ühe paketi." -msgstr[1] "Eemaldan %(num)d paketti." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Haagi failisüsteemid lahti." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Haagi failisüsteemid lahti." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM-konfiguratsioonifaili ei saa kirjutada" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM-konfiguratsioonifail {!s} puudub" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM-konfiguratsioonifaili ei saa kirjutada" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM-konfiguratsioonifail {!s} puudub" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM-konfiguratsioonifaili ei saa kirjutada" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM-konfiguratsioonifail {!s} puudub" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM seadistamine ebaõnnestus" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Testiv python'i töö." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM-konfiguratsioonifaili ei saa kirjutada" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Testiv python'i aste {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM-konfiguratsioonifail {!s} puudub" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,6 +265,42 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Paigalda paketid." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Pakkide töötlemine (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Paigaldan ühe paketi." +msgstr[1] "Paigaldan %(num)d paketti." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Eemaldan ühe paketi." +msgstr[1] "Eemaldan %(num)d paketti." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -269,72 +313,31 @@ msgstr "" msgid "The exit code was {}" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM-konfiguratsioonifaili ei saa kirjutada" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM-konfiguratsioonifail {!s} puudub" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM-konfiguratsioonifaili ei saa kirjutada" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM-konfiguratsioonifail {!s} puudub" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM-konfiguratsioonifaili ei saa kirjutada" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM-konfiguratsioonifail {!s} puudub" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM seadistamine ebaõnnestus" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM-konfiguratsioonifaili ei saa kirjutada" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM-konfiguratsioonifail {!s} puudub" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Testiv python'i töö." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Testiv python'i aste {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/eu/LC_MESSAGES/python.po b/lang/python/eu/LC_MESSAGES/python.po index e8bb613a3..540f048b9 100644 --- a/lang/python/eu/LC_MESSAGES/python.po +++ b/lang/python/eu/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Ander Elortondo, 2019\n" "Language-Team: Basque (https://www.transifex.com/calamares/teams/20061/eu/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: eu\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalatu paketeak" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Paketeak prozesatzen (%(count)d/ %(total)d) " +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Pakete bat instalatzen." -msgstr[1] "%(num)dpakete instalatzen." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Pakete bat kentzen." -msgstr[1] "%(num)dpakete kentzen." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Fitxategi sistemak desmuntatu." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Fitxategi sistemak desmuntatu." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,124 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Ezin da KDM konfigurazio fitxategia idatzi" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM konfigurazio fitxategia {!s} ez da existitzen" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Ezin da LXDM konfigurazio fitxategia idatzi" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM konfigurazio fitxategia {!s} ez da existitzen" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Ezin da LightDM konfigurazio fitxategia idatzi" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM konfigurazio fitxategia {!s} ez da existitzen" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Ezin da LightDM konfiguratu" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Ez dago LightDM harrera instalatua." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy python lana." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Ezin da SLIM konfigurazio fitxategia idatzi" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python urratsa {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM konfigurazio fitxategia {!s} ez da existitzen" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" +"Ez da pantaila kudeatzailerik aukeratu pantaila-kudeatzaile modulurako." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"Pantaila-kudeatzaile-zerrenda hutsik dago edo definitzeke bothglobalstorage " +"eta displaymanager.conf" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Pantaila kudeatzaile konfigurazioa osotu gabe" + +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,6 +268,42 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalatu paketeak" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Paketeak prozesatzen (%(count)d/ %(total)d) " + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Pakete bat instalatzen." +msgstr[1] "%(num)dpakete instalatzen." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Pakete bat kentzen." +msgstr[1] "%(num)dpakete kentzen." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -269,75 +316,31 @@ msgstr "" msgid "The exit code was {}" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Ezin da KDM konfigurazio fitxategia idatzi" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM konfigurazio fitxategia {!s} ez da existitzen" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Ezin da LXDM konfigurazio fitxategia idatzi" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM konfigurazio fitxategia {!s} ez da existitzen" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Ezin da LightDM konfigurazio fitxategia idatzi" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM konfigurazio fitxategia {!s} ez da existitzen" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Ezin da LightDM konfiguratu" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Ez dago LightDM harrera instalatua." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Ezin da SLIM konfigurazio fitxategia idatzi" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM konfigurazio fitxategia {!s} ez da existitzen" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -"Ez da pantaila kudeatzailerik aukeratu pantaila-kudeatzaile modulurako." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -"Pantaila-kudeatzaile-zerrenda hutsik dago edo definitzeke bothglobalstorage " -"eta displaymanager.conf" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Pantaila kudeatzaile konfigurazioa osotu gabe" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python lana." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python urratsa {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/fa/LC_MESSAGES/python.po b/lang/python/fa/LC_MESSAGES/python.po index dcb1a2ebe..82f63fbda 100644 --- a/lang/python/fa/LC_MESSAGES/python.po +++ b/lang/python/fa/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Danial Behzadi , 2020\n" "Language-Team: Persian (https://www.transifex.com/calamares/teams/20061/fa/)\n" @@ -21,69 +21,77 @@ msgstr "" "Language: fa\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "نصب بسته‌ها." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "در حال پیکربندی گراب." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "در حال پردازش بسته‌ها (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "در حال سوار کردن افرازها." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "در حال نصب یک بسته." -msgstr[1] "در حال نصب %(num)d بسته." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "خطای پیکربندی" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "در حال برداشتن یک بسته." -msgstr[1] "در حال برداشتن %(num)d بسته." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "هیچ افرازی برای استفادهٔ
{!s}
تعریف نشده." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "در حال ذخیرهٔ پیکربندی شبکه." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "در حال پیکربندی خدمات سیستم‌دی" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "خطای پیکربندی" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "نمی‌توان خدمت را دستکاری کرد" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "هیچ نقطهٔ اتّصال ریشه‌ای برای استفادهٔ
{!s}
داده نشده." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"فراخوانی systemctl {arg!s} در chroot رمز خطای {num!s} را " +"برگرداند." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "پیاده کردن سامانه‌های پرونده." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "نمی‌توان خدمت سیستم‌دی {name!s} را به کار انداخت." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "پیکربندی mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "نمی‌توان هدف سیستم‌دی {name!s} را به کار انداخت." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "هیچ افرازی برای استفادهٔ
{!s}
تعریف نشده." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "نمی‌توان خدمت سیستم‌دی {name!s} را از کار انداخت." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "در حال پیکربندی خدمت dmcrypt OpenRC." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "نمی‌توان واحد سیستم‌دی {name!s} را پوشاند." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"دستورات ناشناختهٔ سیستم‌دی {command!s} و " +"{suffix!s} برای واحد {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "پیاده کردن سامانه‌های پرونده." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -101,122 +109,124 @@ msgstr "در حال بسته‌گشایی تصویر {}/{}، پروندهٔ {}/{ msgid "Starting to unpack {}" msgstr "در حال شروع بسته‌گشایی {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "شکست در بسته‌گشایی تصویر {}" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "هیچ نقطهٔ اتّصالی برای افراز ریشه وجود ندارد" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage کلید rootMountPoint را ندارد. کاری انجام نمی‌شود" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "نقطهٔ اتّصال بد برای افراز ریشه" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "نقطهٔ اتّصال ریشه {} است که وجود ندارد. کاری انجام نمی‌شود" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "پیکربندی بد unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "کرنل کنونیتان از سامانه‌پروندهٔ {} ({}) پشتیبانی نمی‌کند" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "سامانهٔ پروندهٔ مبدأ {} وجود ندارد" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "شکست در یافتن unsquashfs. مطمئن شوید بستهٔ squashfs-tools نصب است" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "مقصد {} در سامانهٔ هدف، یک شاخه نیست" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "در حال پیکربندی خدمات سیستم‌دی" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "نمی‌توان پروندهٔ پیکربندی KDM را نوشت" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "نمی‌توان خدمت را دستکاری کرد" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"فراخوانی systemctl {arg!s} در chroot رمز خطای {num!s} را " -"برگرداند." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "نمی‌توان پروندهٔ پیکربندی LXDM را نوشت" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "نمی‌توان خدمت سیستم‌دی {name!s} را به کار انداخت." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "نمی‌توان هدف سیستم‌دی {name!s} را به کار انداخت." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "نمی‌توان پروندهٔ پیکربندی LightDM را نوشت" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "نمی‌توان خدمت سیستم‌دی {name!s} را از کار انداخت." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "نمی‌توان واحد سیستم‌دی {name!s} را پوشاند." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "نمی‌توان LightDM را پیکربندی کرد" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"دستورات ناشناختهٔ سیستم‌دی {command!s} و " -"{suffix!s} برای واحد {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "هیچ خوش‌آمدگوی LightDMای نصب نشده." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "کار پایتونی الکی." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "نمی‌توان پروندهٔ پیکربندی LightDM را نوشت" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "گام پایتونی الکی {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "نصب بارکنندهٔ راه‌اندازی." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "هیچ مدیر نمایشی برای پیمانهٔ displaymanager گزیده نشده." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"فهرست displaymanagers خالی بوده یا در bothglobalstorage و " +"displaymanager.conf تعریف نشده." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "در حال سوار کردن افرازها." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "پیکربندی مدیر نمایش کامل نبود" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "در حال پیکربندی زمینهٔ پلی‌موث" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "پیکربندی mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "هیچ نقطهٔ اتّصال ریشه‌ای برای استفادهٔ
{!s}
داده نشده." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "در حال پیکربندی مبادلهٔ رمزشده." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "در حال نوشتن fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "داده‌های نصب" #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -261,6 +271,42 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "در حال پیکربندی زمینهٔ پلی‌موث" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "نصب بسته‌ها." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "در حال پردازش بسته‌ها (%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "در حال نصب یک بسته." +msgstr[1] "در حال نصب %(num)d بسته." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "در حال برداشتن یک بسته." +msgstr[1] "در حال برداشتن %(num)d بسته." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "نصب بارکنندهٔ راه‌اندازی." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "در حال تنظیم ساعت سخت‌افزاری." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "در حال ایجاد initramfs با dracut." @@ -273,74 +319,31 @@ msgstr "شکست در اجرای dracut روی هدف" msgid "The exit code was {}" msgstr "رمز خروج {} بود" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "در حال پیکربندی گراب." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "نمی‌توان پروندهٔ پیکربندی KDM را نوشت" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "نمی‌توان پروندهٔ پیکربندی LXDM را نوشت" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "نمی‌توان پروندهٔ پیکربندی LightDM را نوشت" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "نمی‌توان LightDM را پیکربندی کرد" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "در حال پیکربندی initramfs." -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "هیچ خوش‌آمدگوی LightDMای نصب نشده." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "در حال پیکربندی خدمت dmcrypt OpenRC." -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "نمی‌توان پروندهٔ پیکربندی LightDM را نوشت" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "در حال نوشتن fstab." -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "پروندهٔ پیکربندی {!s} وجود ندارد" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "کار پایتونی الکی." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "هیچ مدیر نمایشی برای پیمانهٔ displaymanager گزیده نشده." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "گام پایتونی الکی {}" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -"فهرست displaymanagers خالی بوده یا در bothglobalstorage و " -"displaymanager.conf تعریف نشده." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "پیکربندی مدیر نمایش کامل نبود" - -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "در حال پیکربندی initramfs." - -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "در حال تنظیم ساعت سخت‌افزاری." - -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "داده‌های نصب" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "در حال ذخیرهٔ پیکربندی شبکه." diff --git a/lang/python/fi_FI/LC_MESSAGES/python.po b/lang/python/fi_FI/LC_MESSAGES/python.po index c05931e77..3df0a0d0c 100644 --- a/lang/python/fi_FI/LC_MESSAGES/python.po +++ b/lang/python/fi_FI/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Kimmo Kujansuu , 2020\n" "Language-Team: Finnish (Finland) (https://www.transifex.com/calamares/teams/20061/fi_FI/)\n" @@ -21,71 +21,76 @@ msgstr "" "Language: fi_FI\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Asenna paketit." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Määritä GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Pakettien käsittely (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Yhdistä osiot." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Asentaa " -msgstr[1] "Asentaa %(num)d paketteja." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Määritysvirhe" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Removing one package." -msgstr[1] "Poistaa %(num)d paketteja." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Ei ole määritetty käyttämään osioita
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Tallennetaan verkon määrityksiä." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Määritä systemd palvelut" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Määritysvirhe" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Palvelua ei voi muokata" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "systemctl {arg!s} chroot palautti virhe koodin {num!s}." + +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Systemd-palvelua ei saa käyttöön {name!s}." + +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Systemd-kohdetta ei saa käyttöön {name!s}." + +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Systemd-kohdetta ei-voi poistaa käytöstä {name!s}." + +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Ei voi peittää systemd-yksikköä {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" -"Root-juuri kiinnityspistettä
{!s}
ei ole annettu käytettäväksi." +"Tuntematon systemd-komennot {command!s} ja " +"{suffix!s} yksikölle {name!s}." #: src/modules/umount/main.py:40 msgid "Unmount file systems." msgstr "Irrota tiedostojärjestelmät käytöstä." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Määritetään mkinitcpio." - -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Ei ole määritetty käyttämään osioita
{!s}
." - -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt-palvelun määrittäminen." - #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "Paikannetaan tiedostojärjestelmiä." @@ -102,40 +107,40 @@ msgstr "Kuvan purkaminen {}/{}, tiedosto {}/{}" msgid "Starting to unpack {}" msgstr "Pakkauksen purkaminen alkaa {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Kuvan purkaminen epäonnistui \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Ei liitoskohtaa juuri root osiolle" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage ei sisällä \"rootMountPoint\" avainta, eikä tee mitään" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Huono kiinnityspiste root-osioon" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint on \"{}\", jota ei ole, eikä tee mitään" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Huono epäpuhdas kokoonpano" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Tiedostojärjestelmä \"{}\" ({}) ei tue sinun nykyistä kerneliä " -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Lähde tiedostojärjestelmää \"{}\" ei ole olemassa" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -143,81 +148,86 @@ msgstr "" "Ei löytynyt unsquashfs, varmista, että sinulla on squashfs-tools paketti " "asennettuna" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Kohdejärjestelmän \"{}\" kohde ei ole hakemisto" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Määritä systemd palvelut" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM-määritystiedostoa ei voi kirjoittaa" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Palvelua ei voi muokata" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM-määritystiedostoa {!s} ei ole olemassa" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "systemctl {arg!s} chroot palautti virhe koodin {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM-määritystiedostoa ei voi kirjoittaa" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Systemd-palvelua ei saa käyttöön {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM-määritystiedostoa {!s} ei ole olemassa" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Systemd-kohdetta ei saa käyttöön {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM-määritystiedostoa ei voi kirjoittaa" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Systemd-kohdetta ei-voi poistaa käytöstä {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM-määritystiedostoa {!s} ei ole olemassa" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Ei voi peittää systemd-yksikköä {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM määritysvirhe" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Tuntematon systemd-komennot {command!s} ja " -"{suffix!s} yksikölle {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM ei ole asennettu." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Harjoitus python-työ." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM-määritystiedostoa ei voi kirjoittaa" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Harjoitus python-vaihe {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM-määritystiedostoa {!s} ei ole olemassa" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Asenna bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Displaymanager-moduulia varten ei ole valittu näyttönhallintaa." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Määritetään locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Displaymanager-luettelo on tyhjä tai määrittelemätön, sekä globalstorage, " +"että displaymanager.conf tiedostossa." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Yhdistä osiot." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Näytönhallinnan kokoonpano oli puutteellinen" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Määritä Plymouthin teema" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Määritetään mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Root-juuri kiinnityspistettä
{!s}
ei ole annettu käytettäväksi." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Salatun swapin määrittäminen." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Fstab kirjoittaminen." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Asennetaan tietoja." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -266,6 +276,42 @@ msgid "" msgstr "" "Palvelun polku {name!s} on {path!s}, jota ei ole olemassa." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Määritä Plymouthin teema" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Asenna paketit." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Pakettien käsittely (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Asentaa " +msgstr[1] "Asentaa %(num)d paketteja." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Removing one package." +msgstr[1] "Poistaa %(num)d paketteja." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Asenna bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Laitteiston kellon asettaminen." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Initramfs luominen dracut:lla." @@ -278,74 +324,31 @@ msgstr "Dracut-ohjelman suorittaminen ei onnistunut" msgid "The exit code was {}" msgstr "Poistumiskoodi oli {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Määritä GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM-määritystiedostoa ei voi kirjoittaa" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM-määritystiedostoa {!s} ei ole olemassa" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM-määritystiedostoa ei voi kirjoittaa" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM-määritystiedostoa {!s} ei ole olemassa" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM-määritystiedostoa ei voi kirjoittaa" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM-määritystiedostoa {!s} ei ole olemassa" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM määritysvirhe" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "LightDM ei ole asennettu." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM-määritystiedostoa ei voi kirjoittaa" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM-määritystiedostoa {!s} ei ole olemassa" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Määritetään initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Displaymanager-moduulia varten ei ole valittu näyttönhallintaa." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt-palvelun määrittäminen." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Displaymanager-luettelo on tyhjä tai määrittelemätön, sekä globalstorage, " -"että displaymanager.conf tiedostossa." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Fstab kirjoittaminen." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Näytönhallinnan kokoonpano oli puutteellinen" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Harjoitus python-työ." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Määritetään initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Harjoitus python-vaihe {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Laitteiston kellon asettaminen." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Määritetään locales." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Asennetaan tietoja." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Tallennetaan verkon määrityksiä." diff --git a/lang/python/fr/LC_MESSAGES/python.po b/lang/python/fr/LC_MESSAGES/python.po index 2be092b30..24f71ecb0 100644 --- a/lang/python/fr/LC_MESSAGES/python.po +++ b/lang/python/fr/LC_MESSAGES/python.po @@ -19,7 +19,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Arnaud Ferraris , 2019\n" "Language-Team: French (https://www.transifex.com/calamares/teams/20061/fr/)\n" @@ -29,72 +29,78 @@ msgstr "" "Language: fr\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Installer les paquets." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configuration du GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Traitement des paquets (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montage des partitions." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installation d'un paquet." -msgstr[1] "Installation de %(num)d paquets." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Erreur de configuration" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Suppression d'un paquet." -msgstr[1] "Suppression de %(num)d paquets." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" +"Aucune partition n'est définie pour être utilisée par
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Sauvegarde des configuration réseau." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configurer les services systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Erreur de configuration" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Impossible de modifier le service" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Aucun point de montage racine n'a été donné pour être utilisé par " -"
{!s}
." +"L'appel systemctl {arg!s} en chroot a renvoyé le code d'erreur " +"{num!s}" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Démonter les systèmes de fichiers" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Impossible d'activer le service systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Configuration de mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Impossible d'activer la cible systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Impossible de désactiver la cible systemd {name!s}." + +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Impossible de masquer l'unit systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" -"Aucune partition n'est définie pour être utilisée par
{!s}
." +"Commandes systemd {command!s} et {suffix!s} " +"inconnues pour l'unit {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Configuration du service OpenRC dmcrypt." +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Démonter les systèmes de fichiers" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -112,40 +118,40 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Impossible de décompresser l'image \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Pas de point de montage pour la partition racine" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage ne contient pas de clé \"rootMountPoint\", ne fait rien" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Mauvais point de montage pour la partition racine" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint est \"{}\", ce qui n'existe pas, ne fait rien" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Mauvaise configuration unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Le système de fichiers source \"{}\" n'existe pas" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -153,83 +159,89 @@ msgstr "" "Échec de la recherche de unsquashfs, assurez-vous que le paquetage squashfs-" "tools est installé." -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "La destination \"{}\" dans le système cible n'est pas un répertoire" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configurer les services systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Impossible d'écrire le fichier de configuration KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Impossible de modifier le service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Le fichier de configuration KDM n'existe pas" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"L'appel systemctl {arg!s} en chroot a renvoyé le code d'erreur " -"{num!s}" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Impossible d'écrire le fichier de configuration LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Impossible d'activer le service systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Le fichier de configuration LXDM n'existe pas" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Impossible d'activer la cible systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Impossible d'écrire le fichier de configuration LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Impossible de désactiver la cible systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Le fichier de configuration LightDM {!S} n'existe pas" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Impossible de masquer l'unit systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Impossible de configurer LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Commandes systemd {command!s} et {suffix!s} " -"inconnues pour l'unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Aucun hôte LightDM est installé" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tâche factice python" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Impossible d'écrire le fichier de configuration SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Étape factice python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Le fichier de configuration SLIM {!S} n'existe pas" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Installation du bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"Aucun gestionnaire d'affichage n'a été sélectionné pour le module de " +"gestionnaire d'affichage" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Configuration des locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"La liste des gestionnaires d'affichage est vide ou indéfinie dans " +"bothglobalstorage et displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montage des partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "La configuration du gestionnaire d'affichage était incomplète" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configurer le thème Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Configuration de mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Aucun point de montage racine n'a été donné pour être utilisé par " +"
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configuration du swap chiffrée." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Écriture du fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Installation de données." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -282,6 +294,42 @@ msgstr "" "Le chemin pour le service {name!s} est {path!s}, qui n'existe " "pas." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configurer le thème Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Installer les paquets." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Traitement des paquets (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installation d'un paquet." +msgstr[1] "Installation de %(num)d paquets." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Suppression d'un paquet." +msgstr[1] "Suppression de %(num)d paquets." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Installation du bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Configuration de l'horloge matériel." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Configuration du initramfs avec dracut." @@ -294,76 +342,31 @@ msgstr "Erreur d'exécution de dracut sur la cible." msgid "The exit code was {}" msgstr "Le code de sortie était {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configuration du GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Impossible d'écrire le fichier de configuration KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Le fichier de configuration KDM n'existe pas" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Impossible d'écrire le fichier de configuration LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Le fichier de configuration LXDM n'existe pas" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Impossible d'écrire le fichier de configuration LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Le fichier de configuration LightDM {!S} n'existe pas" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Impossible de configurer LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Aucun hôte LightDM est installé" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Impossible d'écrire le fichier de configuration SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Le fichier de configuration SLIM {!S} n'existe pas" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Configuration du initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"Aucun gestionnaire d'affichage n'a été sélectionné pour le module de " -"gestionnaire d'affichage" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Configuration du service OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"La liste des gestionnaires d'affichage est vide ou indéfinie dans " -"bothglobalstorage et displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Écriture du fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "La configuration du gestionnaire d'affichage était incomplète" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tâche factice python" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Configuration du initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Étape factice python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Configuration de l'horloge matériel." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Configuration des locales." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Installation de données." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Sauvegarde des configuration réseau." diff --git a/lang/python/fr_CH/LC_MESSAGES/python.po b/lang/python/fr_CH/LC_MESSAGES/python.po index d2b4ed915..fdfb24597 100644 --- a/lang/python/fr_CH/LC_MESSAGES/python.po +++ b/lang/python/fr_CH/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: French (Switzerland) (https://www.transifex.com/calamares/teams/20061/fr_CH/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: fr_CH\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/gl/LC_MESSAGES/python.po b/lang/python/gl/LC_MESSAGES/python.po index a8545938e..f072a2efe 100644 --- a/lang/python/gl/LC_MESSAGES/python.po +++ b/lang/python/gl/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Xosé, 2018\n" "Language-Team: Galician (https://www.transifex.com/calamares/teams/20061/gl/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: gl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalar paquetes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "A procesar paquetes (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "A instalar un paquete." -msgstr[1] "A instalar %(num)d paquetes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "A retirar un paquete." -msgstr[1] "A retirar %(num)d paquetes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontar sistemas de ficheiros." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontar sistemas de ficheiros." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,124 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Non é posíbel escribir o ficheiro de configuración de KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "O ficheiro de configuración de KDM {!s} non existe" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Non é posíbel escribir o ficheiro de configuración de LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "O ficheiro de configuración de LXDM {!s} non existe" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Non é posíbel escribir o ficheiro de configuración de LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "O ficheiro de configuración de LightDM {!s} non existe" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Non é posíbel configurar LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Non se instalou o saudador de LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tarefa parva de python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Non é posíbel escribir o ficheiro de configuración de SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Paso parvo de python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "O ficheiro de configuración de SLIM {!s} non existe" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" +"Non hai xestores de pantalla seleccionados para o módulo displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"A lista de xestores de pantalla está baleira ou sen definir en " +"bothglobalstorage e displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "A configuración do xestor de pantalla foi incompleta" + +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,6 +268,42 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalar paquetes." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "A procesar paquetes (%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "A instalar un paquete." +msgstr[1] "A instalar %(num)d paquetes." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "A retirar un paquete." +msgstr[1] "A retirar %(num)d paquetes." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -269,75 +316,31 @@ msgstr "" msgid "The exit code was {}" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Non é posíbel escribir o ficheiro de configuración de KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "O ficheiro de configuración de KDM {!s} non existe" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Non é posíbel escribir o ficheiro de configuración de LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "O ficheiro de configuración de LXDM {!s} non existe" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Non é posíbel escribir o ficheiro de configuración de LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "O ficheiro de configuración de LightDM {!s} non existe" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Non é posíbel configurar LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Non se instalou o saudador de LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Non é posíbel escribir o ficheiro de configuración de SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "O ficheiro de configuración de SLIM {!s} non existe" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -"Non hai xestores de pantalla seleccionados para o módulo displaymanager." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -"A lista de xestores de pantalla está baleira ou sen definir en " -"bothglobalstorage e displaymanager.conf." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "A configuración do xestor de pantalla foi incompleta" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tarefa parva de python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Paso parvo de python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/gu/LC_MESSAGES/python.po b/lang/python/gu/LC_MESSAGES/python.po index 4732d6bbc..601ec8021 100644 --- a/lang/python/gu/LC_MESSAGES/python.po +++ b/lang/python/gu/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Gujarati (https://www.transifex.com/calamares/teams/20061/gu/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: gu\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/he/LC_MESSAGES/python.po b/lang/python/he/LC_MESSAGES/python.po index 8838860d9..229d2ff78 100644 --- a/lang/python/he/LC_MESSAGES/python.po +++ b/lang/python/he/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Yaron Shahrabani , 2020\n" "Language-Team: Hebrew (https://www.transifex.com/calamares/teams/20061/he/)\n" @@ -22,73 +22,76 @@ msgstr "" "Language: he\n" "Plural-Forms: nplurals=4; plural=(n == 1 && n % 1 == 0) ? 0 : (n == 2 && n % 1 == 0) ? 1: (n % 10 == 0 && n % 1 == 0 && n > 10) ? 2 : 3;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "התקנת חבילות." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "הגדרת GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "החבילות מעובדות (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "מחיצות מעוגנות." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "מותקנת חבילה אחת." -msgstr[1] "מותקנות %(num)d חבילות." -msgstr[2] "מותקנות %(num)d חבילות." -msgstr[3] "מותקנות %(num)d חבילות." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "שגיאת הגדרות" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "מתבצעת הסרה של חבילה אחת." -msgstr[1] "מתבצעת הסרה של %(num)d חבילות." -msgstr[2] "מתבצעת הסרה של %(num)d חבילות." -msgstr[3] "מתבצעת הסרה של %(num)d חבילות." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "לא הוגדרו מחיצות לשימוש של
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "הגדרות הרשת נשמרות." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "הגדרת שירותי systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "שגיאת הגדרות" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "לא ניתן לשנות את השירות" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "לא סופקה נקודת עגינת שורש לשימוש של
{!s}
." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"systemctl {arg!s} הקריאה ב־chroot החזירה את קוד השגיאה {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "ניתוק עיגון מערכות קבצים." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "לא ניתן להפעיל את השירות הבא של systemd:‏ {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpio מותקן." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "לא ניתן להפעיל את היעד של systemd בשם {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "לא הוגדרו מחיצות לשימוש של
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "לא ניתן להשבית את היעד של systemd בשם {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "שירות dmcrypt ל־OpenRC מוגדר." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "לא ניתן למסך את היחידה של systemd בשם {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"פקודות לא ידועות של systemd‏ {command!s} " +"ו־{suffix!s} עבור היחידה {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "ניתוק עיגון מערכות קבצים." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -106,121 +109,124 @@ msgstr "התמונה נפרסת {}/{}, קובץ {}/{}" msgid "Starting to unpack {}" msgstr "הפריסה של {} מתחילה" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "פריסת התמונה „{}” נכשלה" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "אין נקודת עגינה למחיצת העל" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "ב־globalstorage אין את המפתח „rootMountPoint”, לא תתבצע אף פעולה" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "נקודת העגינה של מחיצת השורה שגויה" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint מוגדרת בתור „{}”, שאינו קיים, לא תתבצע אף פעולה" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "תצורת unsquash שגויה" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "מערכת הקבצים עבור „{}” ‏({}) אינה נתמכת על ידי הליבה הנוכחית שלך." -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "מערכת הקבצים במקור „{}” אינה קיימת" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "איתור unsquashfs לא צלח, נא לוודא שהחבילה squashfs-tools מותקנת" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "היעד „{}” במערכת הקבצים המיועדת אינו תיקייה" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "הגדרת שירותי systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "לא ניתן לכתוב את קובץ התצורה של KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "לא ניתן לשנות את השירות" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "קובץ התצורה של KDM ‏{!s} אינו קיים" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} הקריאה ב־chroot החזירה את קוד השגיאה {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "לא ניתן לכתוב את קובץ התצורה של LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "לא ניתן להפעיל את השירות הבא של systemd:‏ {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "קובץ התצורה של LXDM ‏{!s} אינו קיים" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "לא ניתן להפעיל את היעד של systemd בשם {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "לא ניתן לכתוב את קובץ התצורה של LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "לא ניתן להשבית את היעד של systemd בשם {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "קובץ התצורה של LightDM ‏{!s} אינו קיים" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "לא ניתן למסך את היחידה של systemd בשם {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "לא ניתן להגדיר את LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"פקודות לא ידועות של systemd‏ {command!s} " -"ו־{suffix!s} עבור היחידה {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "לא מותקן מקבל פנים מסוג LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "משימת דמה של Python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "לא ניתן לכתוב קובץ תצורה של SLIM." -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "צעד דמה של Python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "קובץ התצורה {!s} של SLIM אינו קיים" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "התקנת מנהל אתחול." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "לא נבחרו מנהלי תצוגה למודול displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "השפות מוגדרות." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"הרשימה של מנהלי התצוגה ריקה או שאינה מוגדרת תחת bothglobalstorage " +"ו־displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "מחיצות מעוגנות." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "תצורת מנהל התצוגה אינה שלמה" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "הגדרת ערכת עיצוב של Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio מותקן." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "לא סופקה נקודת עגינת שורש לשימוש של
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "מוגדר שטח החלפה מוצפן." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstab נכתב." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "הנתונים מותקנים." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -270,6 +276,46 @@ msgid "" "exist." msgstr "הנתיב לשירות {name!s} הוא {path!s}, שאינו קיים." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "הגדרת ערכת עיצוב של Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "התקנת חבילות." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "החבילות מעובדות (%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "מותקנת חבילה אחת." +msgstr[1] "מותקנות %(num)d חבילות." +msgstr[2] "מותקנות %(num)d חבילות." +msgstr[3] "מותקנות %(num)d חבילות." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "מתבצעת הסרה של חבילה אחת." +msgstr[1] "מתבצעת הסרה של %(num)d חבילות." +msgstr[2] "מתבצעת הסרה של %(num)d חבילות." +msgstr[3] "מתבצעת הסרה של %(num)d חבילות." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "התקנת מנהל אתחול." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "שעון החומרה מוגדר." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "נוצר initramfs עם dracut." @@ -282,74 +328,31 @@ msgstr "הרצת dracut על היעד נכשלה" msgid "The exit code was {}" msgstr "קוד היציאה היה {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "הגדרת GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "לא ניתן לכתוב את קובץ התצורה של KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "קובץ התצורה של KDM ‏{!s} אינו קיים" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "לא ניתן לכתוב את קובץ התצורה של LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "קובץ התצורה של LXDM ‏{!s} אינו קיים" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "לא ניתן לכתוב את קובץ התצורה של LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "קובץ התצורה של LightDM ‏{!s} אינו קיים" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "לא ניתן להגדיר את LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "לא מותקן מקבל פנים מסוג LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "לא ניתן לכתוב קובץ תצורה של SLIM." - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "קובץ התצורה {!s} של SLIM אינו קיים" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs מוגדר." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "לא נבחרו מנהלי תצוגה למודול displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "שירות dmcrypt ל־OpenRC מוגדר." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"הרשימה של מנהלי התצוגה ריקה או שאינה מוגדרת תחת bothglobalstorage " -"ו־displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab נכתב." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "תצורת מנהל התצוגה אינה שלמה" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "משימת דמה של Python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfs מוגדר." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "צעד דמה של Python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "שעון החומרה מוגדר." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "השפות מוגדרות." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "הנתונים מותקנים." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "הגדרות הרשת נשמרות." diff --git a/lang/python/hi/LC_MESSAGES/python.po b/lang/python/hi/LC_MESSAGES/python.po index 0e821818e..40fbd2e72 100644 --- a/lang/python/hi/LC_MESSAGES/python.po +++ b/lang/python/hi/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Panwar108 , 2020\n" "Language-Team: Hindi (https://www.transifex.com/calamares/teams/20061/hi/)\n" @@ -21,71 +21,76 @@ msgstr "" "Language: hi\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "पैकेज इंस्टॉल करना।" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB विन्यस्त करना।" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "पैकेज (%(count)d / %(total)d) संसाधित किए जा रहे हैं" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "विभाजन माउंट करना।" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "एक पैकेज इंस्टॉल किया जा रहा है।" -msgstr[1] "%(num)d पैकेज इंस्टॉल किए जा रहे हैं।" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "विन्यास त्रुटि" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "एक पैकेज हटाया जा रहा है।" -msgstr[1] "%(num)d पैकेज हटाए जा रहे हैं।" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
के उपयोग हेतु कोई विभाजन परिभाषित नहीं हैं।" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "नेटवर्क विन्यास सेटिंग्स संचित करना।" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "systemd सेवाएँ विन्यस्त करना" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "विन्यास त्रुटि" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "सेवा को संशोधित नहीं किया जा सकता" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "chroot में systemctl {arg!s} कॉल त्रुटि कोड {num!s}।" + +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "systemd सेवा {name!s} को सक्रिय नहीं किया जा सकता।" + +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "systemd टारगेट {name!s} को सक्रिय नहीं किया जा सकता।" + +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "systemd टारगेट {name!s} को निष्क्रिय नहीं किया जा सकता।" + +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "systemd यूनिट {name!s} को मास्क नहीं किया जा सकता।" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" -"
{!s}
के उपयोग हेतु कोई रुट माउंट पॉइंट प्रदान नहीं किया गया।" +"यूनिट {name!s} हेतु अज्ञात systemd कमांड {command!s} व " +"{suffix!s}।" #: src/modules/umount/main.py:40 msgid "Unmount file systems." msgstr "फ़ाइल सिस्टम माउंट से हटाना।" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpio को विन्यस्त करना।" - -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "
{!s}
के उपयोग हेतु कोई विभाजन परिभाषित नहीं हैं।" - -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt सेवा विन्यस्त करना।" - #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "फाइल सिस्टम भरना।" @@ -102,121 +107,126 @@ msgstr "इमेज फ़ाइल {}/{}, फ़ाइल {}/{} सम्पीड़ msgid "Starting to unpack {}" msgstr "{} हेतु संपीड़न प्रक्रिया आरंभ हो रही है " -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "इमेज फ़ाइल \"{}\" को खोलने में विफल" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "रुट विभाजन हेतु कोई माउंट पॉइंट नहीं है" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage में \"rootMountPoint\" कुंजी नहीं है, कुछ नहीं किया जाएगा" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "रुट विभाजन हेतु ख़राब माउंट पॉइंट" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "रुट माउंट पॉइंट \"{}\" है, जो कि मौजूद नहीं है, कुछ नहीं किया जाएगा" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "ख़राब unsquash विन्यास सेटिंग्स" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "\"{}\" ({}) हेतु फ़ाइल सिस्टम आपके वर्तमान कर्नेल द्वारा समर्थित नहीं है" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "\"{}\" स्रोत फ़ाइल सिस्टम मौजूद नहीं है" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" "unsqaushfs खोजने में विफल, सुनिश्चित करें कि squashfs-tools पैकेज इंस्टॉल है" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "लक्षित सिस्टम में \"{}\" स्थान कोई डायरेक्टरी नहीं है" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "systemd सेवाएँ विन्यस्त करना" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM विन्यास फ़ाइल राइट नहीं की जा सकती" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "सेवा को संशोधित नहीं किया जा सकता" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM विन्यास फ़ाइल {!s} मौजूद नहीं है" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "chroot में systemctl {arg!s} कॉल त्रुटि कोड {num!s}।" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM विन्यास फ़ाइल राइट नहीं की जा सकती" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "systemd सेवा {name!s} को सक्रिय नहीं किया जा सकता।" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM विन्यास फ़ाइल {!s} मौजूद नहीं है" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "systemd टारगेट {name!s} को सक्रिय नहीं किया जा सकता।" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM विन्यास फ़ाइल राइट नहीं की जा सकती" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "systemd टारगेट {name!s} को निष्क्रिय नहीं किया जा सकता।" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM विन्यास फ़ाइल {!s} मौजूद नहीं है" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "systemd यूनिट {name!s} को मास्क नहीं किया जा सकता।" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM को विन्यस्त नहीं किया जा सकता" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"यूनिट {name!s} हेतु अज्ञात systemd कमांड {command!s} व " -"{suffix!s}।" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "कोई LightDM लॉगिन स्क्रीन इंस्टॉल नहीं है।" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "डमी पाइथन प्रक्रिया ।" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM विन्यास फ़ाइल राइट नहीं की जा सकती" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "डमी पाइथन प्रक्रिया की चरण संख्या {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM विन्यास फ़ाइल {!s} मौजूद नहीं है" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "बूट लोडर इंस्टॉल करना।" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "चयनित डिस्प्ले प्रबंधक मॉड्यूल हेतु कोई डिस्प्ले प्रबंधक नहीं मिला।" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "स्थानिकी को विन्यस्त करना।" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"bothglobalstorage एवं displaymanager.conf में डिस्प्ले प्रबंधक सूची रिक्त या" +" अपरिभाषित है।" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "विभाजन माउंट करना।" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "डिस्प्ले प्रबंधक विन्यास अधूरा था" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Plymouth थीम विन्यस्त करना " +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio को विन्यस्त करना।" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"
{!s}
के उपयोग हेतु कोई रुट माउंट पॉइंट प्रदान नहीं किया गया।" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "एन्क्रिप्टेड स्वैप को विन्यस्त करना।" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstab पर राइट करना।" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "डाटा इंस्टॉल करना।" #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -264,6 +274,42 @@ msgid "" "exist." msgstr "सेवा {name!s} हेतु पथ {path!s} है, जो कि मौजूद नहीं है।" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth थीम विन्यस्त करना " + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "पैकेज इंस्टॉल करना।" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "पैकेज (%(count)d / %(total)d) संसाधित किए जा रहे हैं" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "एक पैकेज इंस्टॉल किया जा रहा है।" +msgstr[1] "%(num)d पैकेज इंस्टॉल किए जा रहे हैं।" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "एक पैकेज हटाया जा रहा है।" +msgstr[1] "%(num)d पैकेज हटाए जा रहे हैं।" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "बूट लोडर इंस्टॉल करना।" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "हार्डवेयर घड़ी सेट करना।" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "dracut के साथ initramfs बनाना।" @@ -276,74 +322,31 @@ msgstr "टारगेट पर dracut चलाने में विफल" msgid "The exit code was {}" msgstr "त्रुटि कोड {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB विन्यस्त करना।" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM विन्यास फ़ाइल राइट नहीं की जा सकती" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM विन्यास फ़ाइल {!s} मौजूद नहीं है" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM विन्यास फ़ाइल राइट नहीं की जा सकती" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM विन्यास फ़ाइल {!s} मौजूद नहीं है" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM विन्यास फ़ाइल राइट नहीं की जा सकती" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM विन्यास फ़ाइल {!s} मौजूद नहीं है" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM को विन्यस्त नहीं किया जा सकता" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "कोई LightDM लॉगिन स्क्रीन इंस्टॉल नहीं है।" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM विन्यास फ़ाइल राइट नहीं की जा सकती" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM विन्यास फ़ाइल {!s} मौजूद नहीं है" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs को विन्यस्त करना। " -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "चयनित डिस्प्ले प्रबंधक मॉड्यूल हेतु कोई डिस्प्ले प्रबंधक नहीं मिला।" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt सेवा विन्यस्त करना।" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"bothglobalstorage एवं displaymanager.conf में डिस्प्ले प्रबंधक सूची रिक्त या" -" अपरिभाषित है।" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab पर राइट करना।" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "डिस्प्ले प्रबंधक विन्यास अधूरा था" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "डमी पाइथन प्रक्रिया ।" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfs को विन्यस्त करना। " +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "डमी पाइथन प्रक्रिया की चरण संख्या {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "हार्डवेयर घड़ी सेट करना।" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "स्थानिकी को विन्यस्त करना।" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "डाटा इंस्टॉल करना।" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "नेटवर्क विन्यास सेटिंग्स संचित करना।" diff --git a/lang/python/hr/LC_MESSAGES/python.po b/lang/python/hr/LC_MESSAGES/python.po index c4a605cfe..c5dc0e9b3 100644 --- a/lang/python/hr/LC_MESSAGES/python.po +++ b/lang/python/hr/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Lovro Kudelić , 2020\n" "Language-Team: Croatian (https://www.transifex.com/calamares/teams/20061/hr/)\n" @@ -21,72 +21,77 @@ msgstr "" "Language: hr\n" "Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instaliraj pakete." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfigurirajte GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Obrađujem pakete (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montiranje particija." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instaliram paket." -msgstr[1] "Instaliram %(num)d pakete." -msgstr[2] "Instaliram %(num)d pakete." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Greška konfiguracije" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Uklanjam paket." -msgstr[1] "Uklanjam %(num)d pakete." -msgstr[2] "Uklanjam %(num)d pakete." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nema definiranih particija za
{!s}
korištenje." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Spremanje mrežne konfiguracije." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfiguriraj systemd servise" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Greška konfiguracije" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Ne mogu modificirati servis" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Nijedna root točka montiranja nije definirana za
{!s}
korištenje." +"systemctl {arg!s} poziv u chroot-u vratio je kod pogreške " +"{num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Odmontiraj datotečne sustave." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Ne mogu omogućiti systemd servis {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfiguriranje mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Ne mogu omogućiti systemd cilj {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nema definiranih particija za
{!s}
korištenje." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Ne mogu onemogućiti systemd cilj {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Konfiguriranje servisa OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Ne mogu maskirati systemd jedinicu {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Nepoznata systemd naredba {command!s} i {suffix!s}" +" za jedinicu {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Odmontiraj datotečne sustave." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -104,40 +109,40 @@ msgstr "Otpakiravanje slike {}/{}, datoteka {}/{}" msgid "Starting to unpack {}" msgstr "Početak raspakiravanja {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Otpakiravnje slike nije uspjelo \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nema točke montiranja za root particiju" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage ne sadrži ključ \"rootMountPoint\", ne radi ništa" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Neispravna točka montiranja za root particiju" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint je \"{}\", što ne postoji, ne radi ništa" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Neispravna unsquash konfiguracija" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Datotečni sustav za \"{}\" ({}) nije podržan na vašem trenutnom kernelu" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Izvorni datotečni sustav \"{}\" ne postoji" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -145,83 +150,86 @@ msgstr "" "Neuspješno pronalaženje unsquashfs, provjerite imate li instaliran paket " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Odredište \"{}\" u ciljnom sustavu nije direktorij" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfiguriraj systemd servise" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Ne mogu zapisati KDM konfiguracijsku datoteku" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Ne mogu modificirati servis" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM konfiguracijska datoteka {!s} ne postoji" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} poziv u chroot-u vratio je kod pogreške " -"{num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Ne mogu zapisati LXDM konfiguracijsku datoteku" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Ne mogu omogućiti systemd servis {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM konfiguracijska datoteka {!s} ne postoji" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Ne mogu omogućiti systemd cilj {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Ne moku zapisati LightDM konfiguracijsku datoteku" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Ne mogu onemogućiti systemd cilj {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM konfiguracijska datoteka {!s} ne postoji" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Ne mogu maskirati systemd jedinicu {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Ne mogu konfigurirati LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Nepoznata systemd naredba {command!s} i {suffix!s}" -" za jedinicu {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nije instaliran LightDM pozdravnik." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Testni python posao." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Ne mogu zapisati SLIM konfiguracijsku datoteku" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Testni python korak {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM konfiguracijska datoteka {!s} ne postoji" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instaliram bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Nisu odabrani upravitelji zaslona za modul displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfiguriranje lokalizacije." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Popis upravitelja zaslona je prazan ili nedefiniran u bothglobalstorage i " +"displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montiranje particija." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Konfiguracija upravitelja zaslona nije bila potpuna" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfigurirajte Plymouth temu" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfiguriranje mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Nijedna root točka montiranja nije definirana za
{!s}
korištenje." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfiguriranje šifriranog swapa." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Zapisujem fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instaliranje podataka." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -273,6 +281,44 @@ msgid "" msgstr "" "Putanja servisa {name!s} je {path!s}, međutim ona ne postoji." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfigurirajte Plymouth temu" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instaliraj pakete." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Obrađujem pakete (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instaliram paket." +msgstr[1] "Instaliram %(num)d pakete." +msgstr[2] "Instaliram %(num)d pakete." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Uklanjam paket." +msgstr[1] "Uklanjam %(num)d pakete." +msgstr[2] "Uklanjam %(num)d pakete." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instaliram bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Postavljanje hardverskog sata." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Stvaranje initramfs s dracut." @@ -285,74 +331,31 @@ msgstr "Nije uspjelo pokretanje dracuta na ciljanom sustavu" msgid "The exit code was {}" msgstr "Izlazni kod bio je {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfigurirajte GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Ne mogu zapisati KDM konfiguracijsku datoteku" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM konfiguracijska datoteka {!s} ne postoji" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Ne mogu zapisati LXDM konfiguracijsku datoteku" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM konfiguracijska datoteka {!s} ne postoji" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Ne moku zapisati LightDM konfiguracijsku datoteku" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM konfiguracijska datoteka {!s} ne postoji" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Ne mogu konfigurirati LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nije instaliran LightDM pozdravnik." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Ne mogu zapisati SLIM konfiguracijsku datoteku" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM konfiguracijska datoteka {!s} ne postoji" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfiguriranje initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Nisu odabrani upravitelji zaslona za modul displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Konfiguriranje servisa OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Popis upravitelja zaslona je prazan ili nedefiniran u bothglobalstorage i " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Zapisujem fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Konfiguracija upravitelja zaslona nije bila potpuna" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Testni python posao." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfiguriranje initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Testni python korak {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Postavljanje hardverskog sata." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfiguriranje lokalizacije." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instaliranje podataka." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Spremanje mrežne konfiguracije." diff --git a/lang/python/hu/LC_MESSAGES/python.po b/lang/python/hu/LC_MESSAGES/python.po index eece1030a..2b2d42bd2 100644 --- a/lang/python/hu/LC_MESSAGES/python.po +++ b/lang/python/hu/LC_MESSAGES/python.po @@ -14,7 +14,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Lajos Pasztor , 2019\n" "Language-Team: Hungarian (https://www.transifex.com/calamares/teams/20061/hu/)\n" @@ -24,69 +24,77 @@ msgstr "" "Language: hu\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Csomagok telepítése." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB konfigurálása." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Csomagok feldolgozása (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Partíciók csatolása." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Egy csomag telepítése." -msgstr[1] "%(num)d csomag telepítése." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Konfigurációs hiba" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Egy csomag eltávolítása." -msgstr[1] "%(num)d csomag eltávolítása." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nincsenek partíciók meghatározva a
{!s}
használatához." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Hálózati konfiguráció mentése." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "systemd szolgáltatások beállítása" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Konfigurációs hiba" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "a szolgáltatást nem lehet módosítani" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Nincs root csatolási pont megadva a
{!s}
használatához." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"systemctl {arg!s} hívás a chroot-ban hibakódot okozott {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Fájlrendszerek leválasztása." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" +"Nem sikerült a systemd szolgáltatást engedélyezni: {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpio konfigurálása." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Nem sikerült a systemd célt engedélyezni: {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nincsenek partíciók meghatározva a
{!s}
használatához." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Nem sikerült a systemd cél {name!s} letiltása." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt szolgáltatás konfigurálása." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Nem maszkolható systemd egység: {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Ismeretlen systemd parancsok {command!s} és " +"{suffix!s} a {name!s} egységhez. " + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Fájlrendszerek leválasztása." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -104,41 +112,41 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "\"{}\" kép kicsomagolása nem sikerült" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nincs betöltési pont a root partíciónál" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage nem tartalmaz \"rootMountPoint\" kulcsot, semmi nem történik" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Rossz betöltési pont a root partíciónál" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint is \"{}\", ami nem létezik, semmi nem történik" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Rossz unsquash konfiguráció" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "A forrás fájlrendszer \"{}\" nem létezik" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -146,83 +154,85 @@ msgstr "" "unsquashfs nem található, győződj meg róla a squashfs-tools csomag telepítve" " van." -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Az elérés \"{}\" nem létező könyvtár a cél rendszerben" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "systemd szolgáltatások beállítása" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "A KDM konfigurációs fájl nem írható" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "a szolgáltatást nem lehet módosítani" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "A(z) {!s} KDM konfigurációs fájl nem létezik" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} hívás a chroot-ban hibakódot okozott {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Az LXDM konfigurációs fájl nem írható" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" -"Nem sikerült a systemd szolgáltatást engedélyezni: {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "A(z) {!s} LXDM konfigurációs fájl nem létezik" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Nem sikerült a systemd célt engedélyezni: {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "A LightDM konfigurációs fájl nem írható" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Nem sikerült a systemd cél {name!s} letiltása." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "A(z) {!s} LightDM konfigurációs fájl nem létezik" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Nem maszkolható systemd egység: {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "A LightDM nem állítható be" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Ismeretlen systemd parancsok {command!s} és " -"{suffix!s} a {name!s} egységhez. " +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nincs LightDM üdvözlő telepítve." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Hamis Python feladat." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "A SLIM konfigurációs fájl nem írható" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Hamis {}. Python lépés" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "A(z) {!s} SLIM konfigurációs fájl nem létezik" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Rendszerbetöltő telepítése." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Nincs kijelzőkezelő kiválasztva a kijelzőkezelő modulhoz." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "nyelvi értékek konfigurálása." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"A kijelzőkezelők listája üres vagy nincs megadva a bothglobalstorage-ben és" +" a displaymanager.conf fájlban." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Partíciók csatolása." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "A kijelzőkezelő konfigurációja hiányos volt" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Plymouth téma beállítása" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio konfigurálása." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Nincs root csatolási pont megadva a
{!s}
használatához." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Titkosított swap konfigurálása." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstab írása." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Adatok telepítése." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -273,6 +283,42 @@ msgid "" msgstr "" "A szolgáltatás {name!s} elérési útja {path!s}, nem létezik." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth téma beállítása" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Csomagok telepítése." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Csomagok feldolgozása (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Egy csomag telepítése." +msgstr[1] "%(num)d csomag telepítése." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Egy csomag eltávolítása." +msgstr[1] "%(num)d csomag eltávolítása." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Rendszerbetöltő telepítése." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Rendszeridő beállítása." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "initramfs létrehozása ezzel: dracut." @@ -285,74 +331,31 @@ msgstr "dracut futtatása nem sikerült a célon." msgid "The exit code was {}" msgstr "A kilépési kód {} volt." -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB konfigurálása." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "A KDM konfigurációs fájl nem írható" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "A(z) {!s} KDM konfigurációs fájl nem létezik" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Az LXDM konfigurációs fájl nem írható" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "A(z) {!s} LXDM konfigurációs fájl nem létezik" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "A LightDM konfigurációs fájl nem írható" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "A(z) {!s} LightDM konfigurációs fájl nem létezik" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "A LightDM nem állítható be" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nincs LightDM üdvözlő telepítve." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "A SLIM konfigurációs fájl nem írható" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "A(z) {!s} SLIM konfigurációs fájl nem létezik" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs konfigurálása." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Nincs kijelzőkezelő kiválasztva a kijelzőkezelő modulhoz." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt szolgáltatás konfigurálása." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"A kijelzőkezelők listája üres vagy nincs megadva a bothglobalstorage-ben és" -" a displaymanager.conf fájlban." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab írása." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "A kijelzőkezelő konfigurációja hiányos volt" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Hamis Python feladat." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfs konfigurálása." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Hamis {}. Python lépés" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Rendszeridő beállítása." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "nyelvi értékek konfigurálása." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Adatok telepítése." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Hálózati konfiguráció mentése." diff --git a/lang/python/id/LC_MESSAGES/python.po b/lang/python/id/LC_MESSAGES/python.po index 41045e74a..918423b8d 100644 --- a/lang/python/id/LC_MESSAGES/python.po +++ b/lang/python/id/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Wantoyèk , 2018\n" "Language-Team: Indonesian (https://www.transifex.com/calamares/teams/20061/id/)\n" @@ -23,68 +23,74 @@ msgstr "" "Language: id\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instal paket-paket." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Paket pemrosesan (%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Menginstal paket %(num)d" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "mencopot %(num)d paket" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Lepaskan sistem berkas." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." msgstr "" +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Lepaskan sistem berkas." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +107,123 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Gak bisa menulis file konfigurasi KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "File {!s} config KDM belum ada" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Gak bisa menulis file konfigurasi LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "File {!s} config LXDM enggak ada" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Gak bisa menulis file konfigurasi LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "File {!s} config LightDM belum ada" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Gak bisa mengkonfigurasi LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Tiada LightDM greeter yang terinstal." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tugas dumi python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Gak bisa menulis file konfigurasi SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Langkah {} dumi python" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "File {!s} config SLIM belum ada" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Tiada display manager yang dipilih untuk modul displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" +"Daftar displaymanager telah kosong atau takdidefinisikan dalam " +"bothglobalstorage dan displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Konfigurasi display manager belum rampung" + +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,6 +269,40 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instal paket-paket." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Paket pemrosesan (%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Menginstal paket %(num)d" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "mencopot %(num)d paket" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "" @@ -269,74 +315,31 @@ msgstr "" msgid "The exit code was {}" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Gak bisa menulis file konfigurasi KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "File {!s} config KDM belum ada" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Gak bisa menulis file konfigurasi LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "File {!s} config LXDM enggak ada" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Gak bisa menulis file konfigurasi LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "File {!s} config LightDM belum ada" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Gak bisa mengkonfigurasi LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Tiada LightDM greeter yang terinstal." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Gak bisa menulis file konfigurasi SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "File {!s} config SLIM belum ada" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Tiada display manager yang dipilih untuk modul displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -"Daftar displaymanager telah kosong atau takdidefinisikan dalam " -"bothglobalstorage dan displaymanager.conf." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Konfigurasi display manager belum rampung" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tugas dumi python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Langkah {} dumi python" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/is/LC_MESSAGES/python.po b/lang/python/is/LC_MESSAGES/python.po index 5dda4859d..6a5bd68ff 100644 --- a/lang/python/is/LC_MESSAGES/python.po +++ b/lang/python/is/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Kristján Magnússon, 2018\n" "Language-Team: Icelandic (https://www.transifex.com/calamares/teams/20061/is/)\n" @@ -21,70 +21,74 @@ msgstr "" "Language: is\n" "Plural-Forms: nplurals=2; plural=(n % 10 != 1 || n % 100 == 11);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Setja upp pakka." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Vinnslupakkar (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Setja upp einn pakka." -msgstr[1] "Setur upp %(num)d pakka." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Fjarlægi einn pakka." -msgstr[1] "Fjarlægi %(num)d pakka." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Aftengja skráarkerfi." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Aftengja skráarkerfi." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Setja upp pakka." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Vinnslupakkar (%(count)d / %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Setja upp einn pakka." +msgstr[1] "Setur upp %(num)d pakka." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Fjarlægi einn pakka." +msgstr[1] "Fjarlægi %(num)d pakka." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/it_IT/LC_MESSAGES/python.po b/lang/python/it_IT/LC_MESSAGES/python.po index 0f41bbfb1..b556b5963 100644 --- a/lang/python/it_IT/LC_MESSAGES/python.po +++ b/lang/python/it_IT/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Saverio , 2020\n" "Language-Team: Italian (Italy) (https://www.transifex.com/calamares/teams/20061/it_IT/)\n" @@ -23,69 +23,78 @@ msgstr "" "Language: it_IT\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Installa pacchetti." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configura GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Elaborazione dei pacchetti (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montaggio partizioni." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installando un pacchetto." -msgstr[1] "Installazione di %(num)d pacchetti." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Errore di Configurazione" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Rimuovendo un pacchetto." -msgstr[1] "Rimozione di %(num)d pacchetti." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nessuna partizione definita per l'uso con
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Salvataggio della configurazione di rete." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configura servizi systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Errore di Configurazione" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Impossibile modificare il servizio" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Nessun punto di mount root è dato in l'uso per
{!s}
" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"La chiamata systemctl {arg!s} in chroot ha restituito il codice" +" di errore {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Smonta i file system." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Impossibile abilitare il servizio systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Configurazione di mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Impossibile abilitare la destinazione systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nessuna partizione definita per l'uso con
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "" +"Impossibile disabilitare la destinazione systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Configurazione del servizio OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Impossibile mascherare l'unità systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Comandi systemd sconosciuti {command!s} " +"e{suffix!s} per l'unità {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Smonta i file system." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -103,42 +112,42 @@ msgstr "Estrazione immagine {}/{}, file {}/{}" msgid "Starting to unpack {}" msgstr "Avvio dell'estrazione {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Estrazione dell'immagine \"{}\" fallita" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nessun punto di montaggio per la partizione di root" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage non contiene una chiave \"rootMountPoint\", nessuna azione " "prevista" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Punto di montaggio per la partizione di root errato" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint è \"{}\" ma non esiste, nessuna azione prevista" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Configurazione unsquash errata" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Il filesystem per \"{}\" ({}) non è supportato dal kernel corrente" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Il filesystem sorgente \"{}\" non esiste" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -146,84 +155,86 @@ msgstr "" "Impossibile trovare unsquashfs, assicurarsi di aver installato il pacchetto " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "La destinazione del sistema \"{}\" non è una directory" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configura servizi systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Impossibile scrivere il file di configurazione di KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Impossibile modificare il servizio" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Il file di configurazione di KDM {!s} non esiste" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"La chiamata systemctl {arg!s} in chroot ha restituito il codice" -" di errore {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Impossibile scrivere il file di configurazione di LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Impossibile abilitare il servizio systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Il file di configurazione di LXDM {!s} non esiste" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Impossibile abilitare la destinazione systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Impossibile scrivere il file di configurazione di LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" -"Impossibile disabilitare la destinazione systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Il file di configurazione di LightDM {!s} non esiste" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Impossibile mascherare l'unità systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Impossibile configurare LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Comandi systemd sconosciuti {command!s} " -"e{suffix!s} per l'unità {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nessun LightDM greeter installato." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Job python fittizio." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Impossibile scrivere il file di configurazione di SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Python step {} fittizio" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Il file di configurazione di SLIM {!s} non esiste" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Installa il bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"Non è stato selezionato alcun display manager per il modulo displaymanager" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Configurazione della localizzazione." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"La lista displaymanagers è vuota o non definita sia in globalstorage che in " +"displaymanager.conf" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montaggio partizioni." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "La configurazione del display manager è incompleta" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configura il tema Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Configurazione di mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Nessun punto di mount root è dato in l'uso per
{!s}
" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configurazione per lo swap cifrato." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Scrittura di fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Installazione dei dati." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -274,6 +285,42 @@ msgid "" msgstr "" "Il percorso del servizio {name!s} è {path!s}, ma non esiste." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configura il tema Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Installa pacchetti." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Elaborazione dei pacchetti (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installando un pacchetto." +msgstr[1] "Installazione di %(num)d pacchetti." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Rimuovendo un pacchetto." +msgstr[1] "Rimozione di %(num)d pacchetti." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Installa il bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Impostazione del clock hardware." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Creazione di initramfs con dracut." @@ -286,75 +333,31 @@ msgstr "Impossibile eseguire dracut sulla destinazione" msgid "The exit code was {}" msgstr "Il codice di uscita era {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configura GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Impossibile scrivere il file di configurazione di KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Il file di configurazione di KDM {!s} non esiste" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Impossibile scrivere il file di configurazione di LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Il file di configurazione di LXDM {!s} non esiste" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Impossibile scrivere il file di configurazione di LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Il file di configurazione di LightDM {!s} non esiste" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Impossibile configurare LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nessun LightDM greeter installato." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Impossibile scrivere il file di configurazione di SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Il file di configurazione di SLIM {!s} non esiste" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Configurazione di initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"Non è stato selezionato alcun display manager per il modulo displaymanager" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Configurazione del servizio OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"La lista displaymanagers è vuota o non definita sia in globalstorage che in " -"displaymanager.conf" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Scrittura di fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "La configurazione del display manager è incompleta" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Job python fittizio." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Configurazione di initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Python step {} fittizio" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Impostazione del clock hardware." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Configurazione della localizzazione." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Installazione dei dati." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Salvataggio della configurazione di rete." diff --git a/lang/python/ja/LC_MESSAGES/python.po b/lang/python/ja/LC_MESSAGES/python.po index ffc3a4bdf..ebbf60f56 100644 --- a/lang/python/ja/LC_MESSAGES/python.po +++ b/lang/python/ja/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: UTUMI Hirosi , 2020\n" "Language-Team: Japanese (https://www.transifex.com/calamares/teams/20061/ja/)\n" @@ -23,67 +23,76 @@ msgstr "" "Language: ja\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "パッケージのインストール" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUBを設定にします。" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "パッケージを処理しています (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "パーティションのマウント。" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] " %(num)d パッケージをインストールしています。" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "コンフィグレーションエラー" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] " %(num)d パッケージを削除しています。" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
に使用するパーティションが定義されていません。" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "ネットワーク設定を保存しています。" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "systemdサービスを設定" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "コンフィグレーションエラー" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "サービスが変更できません" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "
{!s}
を使用するのにルートマウントポイントが与えられていません。" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"chroot で systemctl {arg!s} を呼び出すと、エラーコード {num!s} が返されました。" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "ファイルシステムをアンマウント。" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "{name!s}というsystemdサービスが可能にすることができません" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpioを設定しています。" +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "systemd でターゲット {name!s}が開始できません。" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "
{!s}
に使用するパーティションが定義されていません。" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "systemd でターゲット {name!s}が停止できません。" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcryptサービスを設定しています。" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "systemd ユニット {name!s} をマスクできません。" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"ユニット {name!s} に対する未知の systemd コマンド {command!s} と " +"{suffix!s}。" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "ファイルシステムをアンマウント。" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -101,121 +110,122 @@ msgstr "イメージ {}/{}, ファイル {}/{} を解凍しています" msgid "Starting to unpack {}" msgstr "{} の解凍を開始しています" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "イメージ \"{}\" の展開に失敗" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "ルートパーティションのためのマウントポイントがありません" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage に \"rootMountPoint\" キーが含まれていません。何もしません。" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "ルートパーティションのためのマウントポイントが不正です" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "ルートマウントポイントは \"{}\" ですが、存在しません。何もできません。" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "unsquash の設定が不正です" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "\"{}\" ({}) のファイルシステムは、現在のカーネルではサポートされていません" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "ソースファイルシステム \"{}\" は存在しません" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "unsquashfs が見つかりませんでした。 squashfs-toolsがインストールされているか、確認してください。" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "ターゲットシステムの宛先 \"{}\" はディレクトリではありません" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "systemdサービスを設定" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDMの設定ファイルに書き込みができません" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "サービスが変更できません" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM 設定ファイル {!s} が存在しません" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"chroot で systemctl {arg!s} を呼び出すと、エラーコード {num!s} が返されました。" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDMの設定ファイルに書き込みができません" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "{name!s}というsystemdサービスが可能にすることができません" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM 設定ファイル {!s} が存在しません" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "systemd でターゲット {name!s}が開始できません。" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDMの設定ファイルに書き込みができません" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "systemd でターゲット {name!s}が停止できません。" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM 設定ファイル {!s} が存在しません" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "systemd ユニット {name!s} をマスクできません。" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDMの設定ができません" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"ユニット {name!s} に対する未知の systemd コマンド {command!s} と " -"{suffix!s}。" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM greeter がインストールされていません。" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIMの設定ファイルに書き込みができません" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM 設定ファイル {!s} が存在しません" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "ブートローダーをインストール" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "ディスプレイマネージャが選択されていません。" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "ロケールを設定しています。" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "ディスプレイマネージャのリストが bothglobalstorage 及び displaymanager.conf 内で空白か未定義です。" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "パーティションのマウント。" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "ディスプレイマネージャの設定が不完全です" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Plymouthテーマを設定" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpioを設定しています。" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "
{!s}
を使用するのにルートマウントポイントが与えられていません。" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "暗号化したswapを設定しています。" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstabを書き込んでいます。" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "データのインストール。" #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -261,6 +271,40 @@ msgid "" "exist." msgstr "サービス {name!s} のパスが {path!s} です。これは存在しません。" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouthテーマを設定" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "パッケージのインストール" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "パッケージを処理しています (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] " %(num)d パッケージをインストールしています。" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] " %(num)d パッケージを削除しています。" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "ブートローダーをインストール" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "ハードウェアクロックの設定" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "dracutとinitramfsを作成しています。" @@ -273,72 +317,31 @@ msgstr "ターゲット上で dracut の実行に失敗" msgid "The exit code was {}" msgstr "停止コードは {} でした" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUBを設定にします。" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDMの設定ファイルに書き込みができません" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM 設定ファイル {!s} が存在しません" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDMの設定ファイルに書き込みができません" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM 設定ファイル {!s} が存在しません" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDMの設定ファイルに書き込みができません" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM 設定ファイル {!s} が存在しません" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDMの設定ができません" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "LightDM greeter がインストールされていません。" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIMの設定ファイルに書き込みができません" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM 設定ファイル {!s} が存在しません" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfsを設定しています。" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "ディスプレイマネージャが選択されていません。" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcryptサービスを設定しています。" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "ディスプレイマネージャのリストが bothglobalstorage 及び displaymanager.conf 内で空白か未定義です。" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstabを書き込んでいます。" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "ディスプレイマネージャの設定が不完全です" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python job." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfsを設定しています。" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python step {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "ハードウェアクロックの設定" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "ロケールを設定しています。" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "データのインストール。" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "ネットワーク設定を保存しています。" diff --git a/lang/python/kk/LC_MESSAGES/python.po b/lang/python/kk/LC_MESSAGES/python.po index 714591de9..0e9162ef5 100644 --- a/lang/python/kk/LC_MESSAGES/python.po +++ b/lang/python/kk/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Kazakh (https://www.transifex.com/calamares/teams/20061/kk/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: kk\n" "Plural-Forms: nplurals=2; plural=(n!=1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/kn/LC_MESSAGES/python.po b/lang/python/kn/LC_MESSAGES/python.po index 1a855f567..704155d87 100644 --- a/lang/python/kn/LC_MESSAGES/python.po +++ b/lang/python/kn/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Kannada (https://www.transifex.com/calamares/teams/20061/kn/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: kn\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/ko/LC_MESSAGES/python.po b/lang/python/ko/LC_MESSAGES/python.po index d4b691c3c..9ce0aff53 100644 --- a/lang/python/ko/LC_MESSAGES/python.po +++ b/lang/python/ko/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: MarongHappy , 2020\n" "Language-Team: Korean (https://www.transifex.com/calamares/teams/20061/ko/)\n" @@ -22,67 +22,75 @@ msgstr "" "Language: ko\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "패키지를 설치합니다." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB 구성" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "패키지 처리중 (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "파티션 마운트 중." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "%(num)d개의 패키지들을 설치하는 중입니다." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "구성 오류" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "%(num)d개의 패키지들을 제거하는 중입니다." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "사용할
{!s}
에 대해 정의된 파티션이 없음." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "네트워크 구성 저장 중." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "systemd 서비스 구성" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "구성 오류" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "서비스를 수정할 수 없음" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "
{!s}
에서 사용할 루트 마운트 지점이 제공되지 않음." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "chroot에서 systemctl {arg!s} 호출에서오류 코드 {num}를 반환 했습니다." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "파일 시스템 마운트를 해제합니다." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "{name! s} 시스템 서비스를 활성화 할 수 없습니다." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "mkinitcpio 구성 중." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "systemd 대상 {name! s}를 활성화 할 수 없습니다." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "사용할
{!s}
에 대해 정의된 파티션이 없음." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "systemd 대상 {name! s}를 비활성화 할 수 없습니다." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt 서비스 구성 중." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "시스템 유닛 {name! s}를 마스크할 수 없습니다." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"유닛 {name! s}에 대해 알 수 없는 시스템 명령 {command! s}{suffix! " +"s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "파일 시스템 마운트를 해제합니다." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -100,120 +108,123 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "\"{}\" 이미지의 압축을 풀지 못했습니다." -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "루트 파티션에 대한 마운트 위치 없음" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage에는 \"rootMountPoint \" 키가 포함되어 있지 않으며 아무 작업도 수행하지 않습니다." -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "루트 파티션에 대한 잘못된 마운트 위치" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint는 \"{}\"이고, 존재하지 않으며, 아무 작업도 수행하지 않습니다." -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "잘못된 unsquash 구성" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "\"{}\" ({})에 대한 파일 시스템은 현재 커널에서 지원되지 않습니다." -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "\"{}\" 소스 파일시스템은 존재하지 않습니다." -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "unsquashfs를 찾지 못했습니다. squashfs-tools 패키지가 설치되어 있는지 확인하십시오." -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "대상 시스템의 \"{}\" 목적지가 디렉토리가 아닙니다." -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "systemd 서비스 구성" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM 구성 파일을 쓸 수 없습니다." -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "서비스를 수정할 수 없음" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM 구성 파일 {! s}가 없습니다" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "chroot에서 systemctl {arg!s} 호출에서오류 코드 {num}를 반환 했습니다." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LMLDM 구성 파일을 쓸 수 없습니다." -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "{name! s} 시스템 서비스를 활성화 할 수 없습니다." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM 구성 파일 {!s}이 없습니다." -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "systemd 대상 {name! s}를 활성화 할 수 없습니다." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM 구성 파일을 쓸 수 없습니다." -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "systemd 대상 {name! s}를 비활성화 할 수 없습니다." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM 구성 파일 {!s}가 없습니다." -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "시스템 유닛 {name! s}를 마스크할 수 없습니다." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM을 구성할 수 없습니다." -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"유닛 {name! s}에 대해 알 수 없는 시스템 명령 {command! s}{suffix! " -"s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM greeter가 설치되지 않았습니다." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "더미 파이썬 작업." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM 구성 파일을 쓸 수 없음" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "더미 파이썬 단계 {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM 구성 파일 {!s}가 없음" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "부트로더 설치." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "displaymanager 모듈에 대해 선택된 디스플레이 관리자가 없습니다." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "로컬 구성 중." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"displaymanagers 목록은 globalstorage 및 displaymanager.conf에서 비어 있거나 정의되지 않습니다." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "파티션 마운트 중." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "디스플레이 관리자 구성이 완료되지 않았습니다." -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "플리머스 테마 구성" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "mkinitcpio 구성 중." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "
{!s}
에서 사용할 루트 마운트 지점이 제공되지 않음." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "암호화된 스왑 구성 중." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "fstab 쓰기." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "데이터 설치중." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -260,6 +271,40 @@ msgid "" "exist." msgstr "{name!s} 서비스에 대한 경로는 {path!s}이고, 존재하지 않습니다." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "플리머스 테마 구성" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "패키지를 설치합니다." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "패키지 처리중 (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "%(num)d개의 패키지들을 설치하는 중입니다." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "%(num)d개의 패키지들을 제거하는 중입니다." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "부트로더 설치." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "하드웨어 클럭 설정 중." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "dracut을 사용하여 initramfs 만들기." @@ -272,73 +317,31 @@ msgstr "대상에서 dracut을 실행하지 못함" msgid "The exit code was {}" msgstr "종료 코드 {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB 구성" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM 구성 파일을 쓸 수 없습니다." - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM 구성 파일 {! s}가 없습니다" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LMLDM 구성 파일을 쓸 수 없습니다." - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM 구성 파일 {!s}이 없습니다." - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM 구성 파일을 쓸 수 없습니다." - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM 구성 파일 {!s}가 없습니다." - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM을 구성할 수 없습니다." - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "LightDM greeter가 설치되지 않았습니다." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM 구성 파일을 쓸 수 없음" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM 구성 파일 {!s}가 없음" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "initramfs 구성 중." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "displaymanager 모듈에 대해 선택된 디스플레이 관리자가 없습니다." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt 서비스 구성 중." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"displaymanagers 목록은 globalstorage 및 displaymanager.conf에서 비어 있거나 정의되지 않습니다." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "fstab 쓰기." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "디스플레이 관리자 구성이 완료되지 않았습니다." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "더미 파이썬 작업." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "initramfs 구성 중." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "더미 파이썬 단계 {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "하드웨어 클럭 설정 중." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "로컬 구성 중." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "데이터 설치중." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "네트워크 구성 저장 중." diff --git a/lang/python/lo/LC_MESSAGES/python.po b/lang/python/lo/LC_MESSAGES/python.po index 6db05a8ab..3c2ab81cb 100644 --- a/lang/python/lo/LC_MESSAGES/python.po +++ b/lang/python/lo/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Lao (https://www.transifex.com/calamares/teams/20061/lo/)\n" "MIME-Version: 1.0\n" @@ -17,66 +17,72 @@ msgstr "" "Language: lo\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -95,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -251,84 +261,77 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/lt/LC_MESSAGES/python.po b/lang/python/lt/LC_MESSAGES/python.po index 0d49871c4..733d46f04 100644 --- a/lang/python/lt/LC_MESSAGES/python.po +++ b/lang/python/lt/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Moo, 2020\n" "Language-Team: Lithuanian (https://www.transifex.com/calamares/teams/20061/lt/)\n" @@ -22,75 +22,77 @@ msgstr "" "Language: lt\n" "Plural-Forms: nplurals=4; plural=(n % 10 == 1 && (n % 100 > 19 || n % 100 < 11) ? 0 : (n % 10 >= 2 && n % 10 <=9) && (n % 100 > 19 || n % 100 < 11) ? 1 : n % 1 != 0 ? 2: 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Įdiegti paketus." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfigūruoti GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Apdorojami paketai (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Prijungiami skaidiniai." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Įdiegiamas %(num)d paketas." -msgstr[1] "Įdiegiami %(num)d paketai." -msgstr[2] "Įdiegiama %(num)d paketų." -msgstr[3] "Įdiegiama %(num)d paketų." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Konfigūracijos klaida" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Šalinamas %(num)d paketas." -msgstr[1] "Šalinami %(num)d paketai." -msgstr[2] "Šalinama %(num)d paketų." -msgstr[3] "Šalinama %(num)d paketų." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nėra apibrėžta jokių skaidinių, skirtų
{!s}
naudojimui." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Įrašoma tinklo konfigūracija." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfigūruoti systemd tarnybas" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Konfigūracijos klaida" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Nepavyksta modifikuoti tarnybos" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Nėra nurodyta jokių šaknies prijungimo taškų, skirtų
{!s}
" -"naudojimui." +"systemctl {arg!s} iškvieta, esanti chroot, grąžino klaidos kodą" +" {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Atjungti failų sistemas." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Nepavyksta įjungti systemd tarnybos {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfigūruojama mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Nepavyksta įjungti systemd paskirties {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nėra apibrėžta jokių skaidinių, skirtų
{!s}
naudojimui." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Nepavyksta išjungti systemd paskirties {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Konfigūruojama OpenRC dmcrypt tarnyba." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Nepavyksta maskuoti systemd įtaiso {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Nežinomos systemd komandos {command!s} ir " +"{suffix!s} įtaisui {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Atjungti failų sistemas." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -108,40 +110,40 @@ msgstr "Išpakuojamas atvaizdis {}/{}, failas {}/{}" msgid "Starting to unpack {}" msgstr "Pradedama išpakuoti {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Nepavyko išpakuoti atvaizdį „{}“" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nėra prijungimo taško šaknies skaidiniui" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage viduje nėra „rootMountPoint“ rakto, nieko nedaroma" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Blogas šaknies skaidinio prijungimo taškas" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint yra „{}“, kurio nėra, nieko nedaroma" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Bloga unsquash konfigūracija" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Jūsų branduolys nepalaiko failų sistemos, kuri skirta \"{}\" ({})" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Šaltinio failų sistemos „{}“ nėra" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -149,83 +151,87 @@ msgstr "" "Nepavyko rasti unsquashfs, įsitikinkite, kad esate įdiegę squashfs-tools " "paketą" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Paskirties vieta „{}“, esanti paskirties sistemoje, nėra katalogas" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfigūruoti systemd tarnybas" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Nepavyksta įrašyti KDM konfigūracijos failą" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Nepavyksta modifikuoti tarnybos" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM konfigūracijos failo {!s} nėra" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} iškvieta, esanti chroot, grąžino klaidos kodą" -" {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Nepavyksta įrašyti LXDM konfigūracijos failą" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Nepavyksta įjungti systemd tarnybos {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM konfigūracijos failo {!s} nėra" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Nepavyksta įjungti systemd paskirties {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Nepavyksta įrašyti LightDM konfigūracijos failą" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Nepavyksta išjungti systemd paskirties {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM konfigūracijos failo {!s} nėra" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Nepavyksta maskuoti systemd įtaiso {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Nepavyksta konfigūruoti LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Nežinomos systemd komandos {command!s} ir " -"{suffix!s} įtaisui {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Neįdiegtas joks LightDM pasisveikinimas." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Fiktyvi python užduotis." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Nepavyksta įrašyti SLIM konfigūracijos failą" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Fiktyvus python žingsnis {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM konfigūracijos failo {!s} nėra" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Įdiegti paleidyklę." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Displaymanagers moduliui nėra pasirinkta jokių ekranų tvarkytuvių." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfigūruojamos lokalės." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Displaymanagers sąrašas yra tuščias arba neapibrėžtas tiek " +"bothglobalstorage, tiek ir displaymanager.conf faile." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Prijungiami skaidiniai." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Ekranų tvarkytuvės konfigūracija yra nepilna" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfigūruoti Plymouth temą" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfigūruojama mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Nėra nurodyta jokių šaknies prijungimo taškų, skirtų
{!s}
" +"naudojimui." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfigūruojamas šifruotas sukeitimų skaidinys." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Rašoma fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Įdiegiami duomenys." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -277,6 +283,46 @@ msgid "" msgstr "" "Tarnybos {name!s} kelias yra {path!s}, kurio savo ruožtu nėra." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfigūruoti Plymouth temą" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Įdiegti paketus." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Apdorojami paketai (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Įdiegiamas %(num)d paketas." +msgstr[1] "Įdiegiami %(num)d paketai." +msgstr[2] "Įdiegiama %(num)d paketų." +msgstr[3] "Įdiegiama %(num)d paketų." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Šalinamas %(num)d paketas." +msgstr[1] "Šalinami %(num)d paketai." +msgstr[2] "Šalinama %(num)d paketų." +msgstr[3] "Šalinama %(num)d paketų." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Įdiegti paleidyklę." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Nustatomas aparatinės įrangos laikrodis." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Sukuriama initramfs naudojant dracut." @@ -289,74 +335,31 @@ msgstr "Nepavyko paskirties vietoje paleisti dracut" msgid "The exit code was {}" msgstr "Išėjimo kodas buvo {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfigūruoti GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Nepavyksta įrašyti KDM konfigūracijos failą" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM konfigūracijos failo {!s} nėra" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Nepavyksta įrašyti LXDM konfigūracijos failą" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM konfigūracijos failo {!s} nėra" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Nepavyksta įrašyti LightDM konfigūracijos failą" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM konfigūracijos failo {!s} nėra" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Nepavyksta konfigūruoti LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Neįdiegtas joks LightDM pasisveikinimas." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Nepavyksta įrašyti SLIM konfigūracijos failą" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM konfigūracijos failo {!s} nėra" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfigūruojama initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Displaymanagers moduliui nėra pasirinkta jokių ekranų tvarkytuvių." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Konfigūruojama OpenRC dmcrypt tarnyba." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Displaymanagers sąrašas yra tuščias arba neapibrėžtas tiek " -"bothglobalstorage, tiek ir displaymanager.conf faile." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Rašoma fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Ekranų tvarkytuvės konfigūracija yra nepilna" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Fiktyvi python užduotis." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfigūruojama initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Fiktyvus python žingsnis {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Nustatomas aparatinės įrangos laikrodis." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfigūruojamos lokalės." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Įdiegiami duomenys." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Įrašoma tinklo konfigūracija." diff --git a/lang/python/lv/LC_MESSAGES/python.po b/lang/python/lv/LC_MESSAGES/python.po index 50d7ca7e4..d4ac4ed03 100644 --- a/lang/python/lv/LC_MESSAGES/python.po +++ b/lang/python/lv/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Latvian (https://www.transifex.com/calamares/teams/20061/lv/)\n" "MIME-Version: 1.0\n" @@ -17,70 +17,72 @@ msgstr "" "Language: lv\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n != 0 ? 1 : 2);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -99,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -255,84 +261,81 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/mk/LC_MESSAGES/python.po b/lang/python/mk/LC_MESSAGES/python.po index e5230ddf7..98853a9b6 100644 --- a/lang/python/mk/LC_MESSAGES/python.po +++ b/lang/python/mk/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Martin Ristovski , 2018\n" "Language-Team: Macedonian (https://www.transifex.com/calamares/teams/20061/mk/)\n" @@ -21,68 +21,72 @@ msgstr "" "Language: mk\n" "Plural-Forms: nplurals=2; plural=(n % 10 == 1 && n % 100 != 11) ? 0 : 1;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM конфигурациониот фајл не може да се создаде" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM конфигурациониот фајл {!s} не постои" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM конфигурациониот фајл не може да се создаде" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM конфигурациониот фајл {!s} не постои" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM конфигурациониот фајл не може да се создаде" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM конфигурациониот фајл {!s} не постои" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Не може да се подеси LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Нема инсталирано LightDM поздравувач" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM конфигурациониот фајл не може да се создаде" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM конфигурациониот фајл {!s} не постои" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Немате избрано дисплеј менаџер за displaymanager модулот." + +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM конфигурациониот фајл не може да се создаде" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM конфигурациониот фајл {!s} не постои" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM конфигурациониот фајл не може да се создаде" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM конфигурациониот фајл {!s} не постои" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM конфигурациониот фајл не може да се создаде" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM конфигурациониот фајл {!s} не постои" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Не може да се подеси LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." +msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Нема инсталирано LightDM поздравувач" +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" +msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM конфигурациониот фајл не може да се создаде" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" +msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM конфигурациониот фајл {!s} не постои" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Немате избрано дисплеј менаџер за displaymanager модулот." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/ml/LC_MESSAGES/python.po b/lang/python/ml/LC_MESSAGES/python.po index bd5c27312..e510dc364 100644 --- a/lang/python/ml/LC_MESSAGES/python.po +++ b/lang/python/ml/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Balasankar C , 2019\n" "Language-Team: Malayalam (https://www.transifex.com/calamares/teams/20061/ml/)\n" @@ -22,68 +22,72 @@ msgstr "" "Language: ml\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "ക്രമീകരണത്തിൽ പിഴവ്" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "ക്രമീകരണത്തിൽ പിഴവ്" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -102,117 +106,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "ബൂട്ട്‌ലോടർ ഇൻസ്റ്റാൾ ചെയ്യൂ ." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -258,84 +266,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "ബൂട്ട്‌ലോടർ ഇൻസ്റ്റാൾ ചെയ്യൂ ." -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/mr/LC_MESSAGES/python.po b/lang/python/mr/LC_MESSAGES/python.po index ff741e7e3..7440713a1 100644 --- a/lang/python/mr/LC_MESSAGES/python.po +++ b/lang/python/mr/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Marathi (https://www.transifex.com/calamares/teams/20061/mr/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: mr\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/nb/LC_MESSAGES/python.po b/lang/python/nb/LC_MESSAGES/python.po index dd88e8fad..4a1c802db 100644 --- a/lang/python/nb/LC_MESSAGES/python.po +++ b/lang/python/nb/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: 865ac004d9acf2568b2e4b389e0007c7_fba755c <3516cc82d94f87187da1e036e5f09e42_616112>, 2017\n" "Language-Team: Norwegian Bokmål (https://www.transifex.com/calamares/teams/20061/nb/)\n" @@ -21,68 +21,72 @@ msgstr "" "Language: nb\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Installer pakker." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -101,117 +105,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +265,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Installer pakker." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/ne_NP/LC_MESSAGES/python.po b/lang/python/ne_NP/LC_MESSAGES/python.po index 23d843910..028b51b53 100644 --- a/lang/python/ne_NP/LC_MESSAGES/python.po +++ b/lang/python/ne_NP/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Nepali (Nepal) (https://www.transifex.com/calamares/teams/20061/ne_NP/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: ne_NP\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/nl/LC_MESSAGES/python.po b/lang/python/nl/LC_MESSAGES/python.po index 2d169902e..cfb1913bc 100644 --- a/lang/python/nl/LC_MESSAGES/python.po +++ b/lang/python/nl/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Adriaan de Groot , 2020\n" "Language-Team: Dutch (https://www.transifex.com/calamares/teams/20061/nl/)\n" @@ -21,68 +21,72 @@ msgstr "" "Language: nl\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Pakketten installeren." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB instellen." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Pakketten verwerken (%(count)d/ %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Pakket installeren." -msgstr[1] "%(num)dpakketten installeren." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Pakket verwijderen." -msgstr[1] "%(num)dpakketten verwijderen." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Netwerk-configuratie opslaan." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -101,119 +105,123 @@ msgstr "Bestandssysteem uitpakken {}/{}, bestand {}/{}" msgid "Starting to unpack {}" msgstr "Beginnen met uitpakken van {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Uitpakken van bestandssysteem \"{}\" mislukt" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Geen mount-punt voor de root-partitie" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage bevat geen sleutel \"rootMountPoint\", er wordt niks gedaan" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Onjuist mount-punt voor de root-partitie" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" "rootMountPoint is ingesteld op \"{}\", welke niet bestaat, er wordt niks " "gedaan" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Voorbeeld Python-taak" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Voorbeeld Python-stap {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Taal en locatie instellen." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -259,84 +267,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB instellen." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Pakketten installeren." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Pakketten verwerken (%(count)d/ %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Pakket installeren." +msgstr[1] "%(num)dpakketten installeren." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Pakket verwijderen." +msgstr[1] "%(num)dpakketten verwijderen." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Voorbeeld Python-taak" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Voorbeeld Python-stap {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Taal en locatie instellen." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Netwerk-configuratie opslaan." diff --git a/lang/python/pl/LC_MESSAGES/python.po b/lang/python/pl/LC_MESSAGES/python.po index 54ff7fa3b..967fae876 100644 --- a/lang/python/pl/LC_MESSAGES/python.po +++ b/lang/python/pl/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Piotr Strębski , 2020\n" "Language-Team: Polish (https://www.transifex.com/calamares/teams/20061/pl/)\n" @@ -23,74 +23,74 @@ msgstr "" "Language: pl\n" "Plural-Forms: nplurals=4; plural=(n==1 ? 0 : (n%10>=2 && n%10<=4) && (n%100<12 || n%100>14) ? 1 : n!=1 && (n%10>=0 && n%10<=1) || (n%10>=5 && n%10<=9) || (n%100>=12 && n%100<=14) ? 2 : 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Zainstaluj pakiety." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfiguracja GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Przetwarzanie pakietów (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montowanie partycji." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalowanie jednego pakietu." -msgstr[1] "Instalowanie %(num)d pakietów." -msgstr[2] "Instalowanie %(num)d pakietów." -msgstr[3] "Instalowanie%(num)d pakietów." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Błąd konfiguracji" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Usuwanie jednego pakietu." -msgstr[1] "Usuwanie %(num)d pakietów." -msgstr[2] "Usuwanie %(num)d pakietów." -msgstr[3] "Usuwanie %(num)d pakietów." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Zapisywanie konfiguracji sieci." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfiguracja usług systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Błąd konfiguracji" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Nie można zmodyfikować usług" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Odmontuj systemy plików." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfigurowanie mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Odmontuj systemy plików." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "Zapełnianie systemu plików." @@ -107,44 +107,44 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Błąd rozpakowywania obrazu \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Brak punktu montowania partycji root" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage nie zawiera klucza \"rootMountPoint\", nic nie zostanie " "zrobione" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Błędny punkt montowania partycji root" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" "Punkt montowania partycji root (rootMountPoint) jest \"{}\", które nie " "istnieje; nic nie zostanie zrobione" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Błędna konfiguracja unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Źródłowy system plików \"{}\" nie istnieje" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -152,79 +152,85 @@ msgstr "" "Nie można odnaleźć unsquashfs, upewnij się, że masz zainstalowany pakiet " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Miejsce docelowe \"{}\" w docelowym systemie nie jest katalogiem" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfiguracja usług systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Nie można zapisać pliku konfiguracji KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Nie można zmodyfikować usług" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Plik konfiguracyjny KDM {!s} nie istnieje" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Nie można zapisać pliku konfiguracji LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Plik konfiguracji LXDM {!s} nie istnieje" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Nie można zapisać pliku konfiguracji LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Plik konfiguracji LightDM {!s} nie istnieje" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Nie można skonfigurować LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nie zainstalowano ekranu powitalnego LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Zadanie fikcyjne Python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Nie można zapisać pliku konfiguracji SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Krok fikcyjny Python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Plik konfiguracji SLIM {!s} nie istnieje" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalacja programu rozruchowego." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Brak wybranych menedżerów wyświetlania dla modułu displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfigurowanie ustawień lokalnych." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Lista menedżerów wyświetlania jest pusta lub niezdefiniowana w " +"bothglobalstorage i displaymanager.conf" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montowanie partycji." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Konfiguracja menedżera wyświetlania była niekompletna" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfiguracja motywu Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfigurowanie mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfigurowanie zaszyfrowanej przestrzeni wymiany." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Zapisywanie fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instalowanie danych." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -269,6 +275,46 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfiguracja motywu Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Zainstaluj pakiety." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Przetwarzanie pakietów (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalowanie jednego pakietu." +msgstr[1] "Instalowanie %(num)d pakietów." +msgstr[2] "Instalowanie %(num)d pakietów." +msgstr[3] "Instalowanie%(num)d pakietów." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Usuwanie jednego pakietu." +msgstr[1] "Usuwanie %(num)d pakietów." +msgstr[2] "Usuwanie %(num)d pakietów." +msgstr[3] "Usuwanie %(num)d pakietów." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalacja programu rozruchowego." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Ustawianie zegara systemowego." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Tworzenie initramfs z dracut." @@ -281,74 +327,31 @@ msgstr "" msgid "The exit code was {}" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfiguracja GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Nie można zapisać pliku konfiguracji KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Plik konfiguracyjny KDM {!s} nie istnieje" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Nie można zapisać pliku konfiguracji LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Plik konfiguracji LXDM {!s} nie istnieje" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Nie można zapisać pliku konfiguracji LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Plik konfiguracji LightDM {!s} nie istnieje" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Nie można skonfigurować LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nie zainstalowano ekranu powitalnego LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Nie można zapisać pliku konfiguracji SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Plik konfiguracji SLIM {!s} nie istnieje" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Brak wybranych menedżerów wyświetlania dla modułu displaymanager." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfigurowanie initramfs." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -"Lista menedżerów wyświetlania jest pusta lub niezdefiniowana w " -"bothglobalstorage i displaymanager.conf" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Konfiguracja menedżera wyświetlania była niekompletna" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Zapisywanie fstab." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfigurowanie initramfs." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Zadanie fikcyjne Python." -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Ustawianie zegara systemowego." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Krok fikcyjny Python {}" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instalowanie danych." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfigurowanie ustawień lokalnych." + +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Zapisywanie konfiguracji sieci." diff --git a/lang/python/pt_BR/LC_MESSAGES/python.po b/lang/python/pt_BR/LC_MESSAGES/python.po index 200094bf3..d3d17a2d5 100644 --- a/lang/python/pt_BR/LC_MESSAGES/python.po +++ b/lang/python/pt_BR/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Guilherme, 2020\n" "Language-Team: Portuguese (Brazil) (https://www.transifex.com/calamares/teams/20061/pt_BR/)\n" @@ -22,70 +22,77 @@ msgstr "" "Language: pt_BR\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalar pacotes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configurar GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Processando pacotes (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Montando partições." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalando um pacote." -msgstr[1] "Instalando %(num)d pacotes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Erro de Configuração." -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Removendo um pacote." -msgstr[1] "Removendo %(num)d pacotes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Sem partições definidas para uso por
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Salvando configuração de rede." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configurar serviços do systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Erro de Configuração." +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Não é possível modificar o serviço" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Nenhum ponto de montagem para o root fornecido para uso por
{!s}
." +"A chamada systemctl {arg!s} no chroot retornou o código de erro" +" {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontar os sistemas de arquivos." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Não é possível habilitar o serviço {name!s} do systemd." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Configurando mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Não é possível habilitar o alvo {name!s} do systemd." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Sem partições definidas para uso por
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Não é possível desabilitar o alvo {name!s} do systemd." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Configurando serviço dmcrypt do OpenRC." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Não é possível mascarar a unidade {name!s} do systemd." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Comandos desconhecidos do systemd {command!s} e " +"{suffix!s} para a unidade {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontar os sistemas de arquivos." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -103,40 +110,40 @@ msgstr "Descompactando imagem {}/{}, arquivo {}/{}" msgid "Starting to unpack {}" msgstr "Começando a descompactar {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Ocorreu uma falha ao descompactar a imagem \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nenhum ponto de montagem para a partição root" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "O globalstorage não contém uma chave \"rootMountPoint\". Nada foi feito." -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Ponto de montagem incorreto para a partição root" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "O rootMountPoint é \"{}\", mas ele não existe. Nada foi feito." -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Configuração incorreta do unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Não há suporte para o sistema de arquivos \"{}\" ({}) no seu kernel atual" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "O sistema de arquivos de origem \"{}\" não existe" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -144,83 +151,87 @@ msgstr "" "Ocorreu uma falha ao localizar o unsquashfs, certifique-se de que o pacote " "squashfs-tools esteja instalado" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "A destinação \"{}\" no sistema de destino não é um diretório" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configurar serviços do systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Não foi possível gravar o arquivo de configuração do KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Não é possível modificar o serviço" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "O arquivo de configuração {!s} do KDM não existe" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"A chamada systemctl {arg!s} no chroot retornou o código de erro" -" {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Não foi possível gravar o arquivo de configuração do LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Não é possível habilitar o serviço {name!s} do systemd." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "O arquivo de configuração {!s} do LXDM não existe" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Não é possível habilitar o alvo {name!s} do systemd." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Não foi possível gravar o arquivo de configuração do LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Não é possível desabilitar o alvo {name!s} do systemd." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "O arquivo de configuração {!s} do LightDM não existe" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Não é possível mascarar a unidade {name!s} do systemd." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Não é possível configurar o LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Comandos desconhecidos do systemd {command!s} e " -"{suffix!s} para a unidade {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Não há nenhuma tela de login do LightDM instalada." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tarefa modelo python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Não foi possível gravar o arquivo de configuração do SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Etapa modelo python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "O arquivo de configuração {!s} do SLIM não existe" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalar bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"Nenhum gerenciador de exibição selecionado para o módulo do displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Configurando locais." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"A lista de displaymanagers está vazia ou indefinida no bothglobalstorage e " +"no displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Montando partições." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "A configuração do gerenciador de exibição está incompleta" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configurar tema do Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Configurando mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Nenhum ponto de montagem para o root fornecido para uso por
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configurando swap encriptada." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Escrevendo fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Instalando os dados." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -275,6 +286,42 @@ msgstr "" "O caminho para o serviço {name!s} é {path!s}, o qual não " "existe." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configurar tema do Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalar pacotes." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Processando pacotes (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalando um pacote." +msgstr[1] "Instalando %(num)d pacotes." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Removendo um pacote." +msgstr[1] "Removendo %(num)d pacotes." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalar bootloader." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Configurando relógio de hardware." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Criando initramfs com dracut." @@ -287,75 +334,31 @@ msgstr "Erro ao executar dracut no alvo" msgid "The exit code was {}" msgstr "O código de saída foi {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configurar GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Não foi possível gravar o arquivo de configuração do KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "O arquivo de configuração {!s} do KDM não existe" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Não foi possível gravar o arquivo de configuração do LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "O arquivo de configuração {!s} do LXDM não existe" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Não foi possível gravar o arquivo de configuração do LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "O arquivo de configuração {!s} do LightDM não existe" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Não é possível configurar o LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Não há nenhuma tela de login do LightDM instalada." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Não foi possível gravar o arquivo de configuração do SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "O arquivo de configuração {!s} do SLIM não existe" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Configurando initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"Nenhum gerenciador de exibição selecionado para o módulo do displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Configurando serviço dmcrypt do OpenRC." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"A lista de displaymanagers está vazia ou indefinida no bothglobalstorage e " -"no displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Escrevendo fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "A configuração do gerenciador de exibição está incompleta" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tarefa modelo python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Configurando initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Etapa modelo python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Configurando relógio de hardware." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Configurando locais." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Instalando os dados." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Salvando configuração de rede." diff --git a/lang/python/pt_PT/LC_MESSAGES/python.po b/lang/python/pt_PT/LC_MESSAGES/python.po index 068b8d061..377c9a553 100644 --- a/lang/python/pt_PT/LC_MESSAGES/python.po +++ b/lang/python/pt_PT/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Ricardo Simões , 2020\n" "Language-Team: Portuguese (Portugal) (https://www.transifex.com/calamares/teams/20061/pt_PT/)\n" @@ -23,69 +23,77 @@ msgstr "" "Language: pt_PT\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalar pacotes." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Configurar o GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "A processar pacotes (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "A montar partições." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "A instalar um pacote." -msgstr[1] "A instalar %(num)d pacotes." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Erro de configuração" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "A remover um pacote." -msgstr[1] "A remover %(num)d pacotes." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nenhuma partição está definida para
{!s}
usar." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "A guardar a configuração de rede." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Configurar serviços systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Erro de configuração" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Não é possível modificar serviço" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Nenhum ponto de montagem root é fornecido para
{!s}
usar." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"systemctl {arg!s} chamar pelo chroot retornou com código de " +"erro {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Desmontar sistemas de ficheiros." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Não é possível ativar o serviço systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "A configurar o mkintcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Não é possível ativar o destino do systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nenhuma partição está definida para
{!s}
usar." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Não é possível desativar o destino do systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "A configurar o serviço OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Não é possível mascarar a unidade do systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Comandos do systemd desconhecidos {command!s} e " +"{suffix!s} por unidade {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Desmontar sistemas de ficheiros." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -103,42 +111,42 @@ msgstr "A descompactar imagem {}/{}, ficheiro {}/{}" msgid "Starting to unpack {}" msgstr "A começar a descompactação {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Falha ao descompactar imagem \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Nenhum ponto de montagem para a partição root" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage não contém um \"rootMountPoint\" chave, nada a fazer" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Ponto de montagem mau para partição root" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint é \"{}\", que não existe, nada a fazer" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Má configuração unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "O sistema de ficheiros para \"{}\" ({}) não é suportado pelo seu kernel " "atual" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "O sistema de ficheiros fonte \"{}\" não existe" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -146,83 +154,86 @@ msgstr "" "Falha ao procurar unsquashfs, certifique-se que tem o pacote squashfs-tools " "instalado" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "O destino \"{}\" no sistema de destino não é um diretório" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Configurar serviços systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Não é possível gravar o ficheiro de configuração KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Não é possível modificar serviço" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "O ficheiro de configuração do KDM {!s} não existe" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} chamar pelo chroot retornou com código de " -"erro {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Não é possível gravar o ficheiro de configuração LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Não é possível ativar o serviço systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "O ficheiro de configuração do LXDM {!s} não existe" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Não é possível ativar o destino do systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Não é possível gravar o ficheiro de configuração LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Não é possível desativar o destino do systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "O ficheiro de configuração do LightDM {!s} não existe" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Não é possível mascarar a unidade do systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Não é possível configurar o LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Comandos do systemd desconhecidos {command!s} e " -"{suffix!s} por unidade {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nenhum ecrã de boas-vindas LightDM instalado." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Tarefa Dummy python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Não é possível gravar o ficheiro de configuração SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Passo Dummy python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "O ficheiro de configuração do SLIM {!s} não existe" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalar o carregador de arranque." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" +"Nenhum gestor de exibição selecionado para o módulo de gestor de exibição." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "A configurar a localização." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"A lista de gestores de exibição está vazia ou indefinida no globalstorage e " +"no displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "A montar partições." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "A configuração do gestor de exibição estava incompleta" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Configurar tema do Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "A configurar o mkintcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Nenhum ponto de montagem root é fornecido para
{!s}
usar." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Configurando a swap criptografada." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "A escrever o fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "A instalar dados." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -276,6 +287,42 @@ msgid "" msgstr "" "O caminho para o serviço {name!s} é {path!s}, que não existe." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Configurar tema do Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalar pacotes." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "A processar pacotes (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "A instalar um pacote." +msgstr[1] "A instalar %(num)d pacotes." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "A remover um pacote." +msgstr[1] "A remover %(num)d pacotes." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalar o carregador de arranque." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "A definir o relógio do hardware." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Criando o initramfs com o dracut." @@ -288,75 +335,31 @@ msgstr "Falha ao executar o dracut no destino" msgid "The exit code was {}" msgstr "O código de saída foi {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Configurar o GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Não é possível gravar o ficheiro de configuração KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "O ficheiro de configuração do KDM {!s} não existe" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Não é possível gravar o ficheiro de configuração LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "O ficheiro de configuração do LXDM {!s} não existe" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Não é possível gravar o ficheiro de configuração LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "O ficheiro de configuração do LightDM {!s} não existe" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Não é possível configurar o LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nenhum ecrã de boas-vindas LightDM instalado." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Não é possível gravar o ficheiro de configuração SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "O ficheiro de configuração do SLIM {!s} não existe" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "A configurar o initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" -"Nenhum gestor de exibição selecionado para o módulo de gestor de exibição." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "A configurar o serviço OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"A lista de gestores de exibição está vazia ou indefinida no globalstorage e " -"no displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "A escrever o fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "A configuração do gestor de exibição estava incompleta" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Tarefa Dummy python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "A configurar o initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Passo Dummy python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "A definir o relógio do hardware." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "A configurar a localização." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "A instalar dados." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "A guardar a configuração de rede." diff --git a/lang/python/ro/LC_MESSAGES/python.po b/lang/python/ro/LC_MESSAGES/python.po index 8620ca7c5..f90faa939 100644 --- a/lang/python/ro/LC_MESSAGES/python.po +++ b/lang/python/ro/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Sebastian Brici , 2018\n" "Language-Team: Romanian (https://www.transifex.com/calamares/teams/20061/ro/)\n" @@ -22,72 +22,74 @@ msgstr "" "Language: ro\n" "Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalează pachetele." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Se procesează pachetele (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Instalează un pachet." -msgstr[1] "Se instalează %(num)d pachete." -msgstr[2] "Se instalează %(num)d din pachete." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Se elimină un pachet." -msgstr[1] "Se elimină %(num)d pachet." -msgstr[2] "Se elimină %(num)d de pachete." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Demonteaza sistemul de fisiere" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Demonteaza sistemul de fisiere" + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "" @@ -104,117 +106,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Job python fictiv." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -260,84 +266,81 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalează pachetele." -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Se procesează pachetele (%(count)d / %(total)d)" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Instalează un pachet." +msgstr[1] "Se instalează %(num)d pachete." +msgstr[2] "Se instalează %(num)d din pachete." -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Se elimină un pachet." +msgstr[1] "Se elimină %(num)d pachet." +msgstr[2] "Se elimină %(num)d de pachete." -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Job python fictiv." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python step {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/ru/LC_MESSAGES/python.po b/lang/python/ru/LC_MESSAGES/python.po index d205b0d97..b950fb3b5 100644 --- a/lang/python/ru/LC_MESSAGES/python.po +++ b/lang/python/ru/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: ZIzA, 2020\n" "Language-Team: Russian (https://www.transifex.com/calamares/teams/20061/ru/)\n" @@ -22,73 +22,74 @@ msgstr "" "Language: ru\n" "Plural-Forms: nplurals=4; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<12 || n%100>14) ? 1 : n%10==0 || (n%10>=5 && n%10<=9) || (n%100>=11 && n%100<=14)? 2 : 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Установить пакеты." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Настройте GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Обработка пакетов (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Монтирование разделов." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Установка одного пакета." -msgstr[1] "Установка %(num)d пакетов." -msgstr[2] "Установка %(num)d пакетов." -msgstr[3] "Установка %(num)d пакетов." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Ошибка конфигурации" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Удаление одного пакета." -msgstr[1] "Удаление %(num)d пакетов." -msgstr[2] "Удаление %(num)d пакетов." -msgstr[3] "Удаление %(num)d пакетов." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Не определены разделы для использования
{!S}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Сохранение настроек сети." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Настройка systemd сервисов" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Ошибка конфигурации" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Не могу изменить сервис" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" +"Вызов systemctl {arg!s} в chroot вернул код ошибки {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Размонтирование файловой системы." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Не определены разделы для использования
{!S}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Настройка службы OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Размонтирование файловой системы." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -106,119 +107,122 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Настройка systemd сервисов" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Не могу изменить сервис" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -"Вызов systemctl {arg!s} в chroot вернул код ошибки {num!s}." -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Установить загрузчик." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Настройка языка." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Монтирование разделов." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Настроить тему Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Настройка зашифрованного swap." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Запись fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Установка данных." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -263,6 +267,46 @@ msgid "" "exist." msgstr "" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Настроить тему Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Установить пакеты." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Обработка пакетов (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Установка одного пакета." +msgstr[1] "Установка %(num)d пакетов." +msgstr[2] "Установка %(num)d пакетов." +msgstr[3] "Установка %(num)d пакетов." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Удаление одного пакета." +msgstr[1] "Удаление %(num)d пакетов." +msgstr[2] "Удаление %(num)d пакетов." +msgstr[3] "Удаление %(num)d пакетов." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Установить загрузчик." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Установка аппаратных часов." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Создание initramfs с помощью dracut." @@ -275,72 +319,31 @@ msgstr "Не удалось запустить dracut на цели" msgid "The exit code was {}" msgstr "Код выхода {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Настройте GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Настройка initramfs." -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Настройка службы OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Запись fstab." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Настройка initramfs." - -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Установка аппаратных часов." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Настройка языка." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Установка данных." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Сохранение настроек сети." diff --git a/lang/python/sk/LC_MESSAGES/python.po b/lang/python/sk/LC_MESSAGES/python.po index 2ed854056..99cbec3c1 100644 --- a/lang/python/sk/LC_MESSAGES/python.po +++ b/lang/python/sk/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Dušan Kazik , 2020\n" "Language-Team: Slovak (https://www.transifex.com/calamares/teams/20061/sk/)\n" @@ -21,73 +21,77 @@ msgstr "" "Language: sk\n" "Plural-Forms: nplurals=4; plural=(n % 1 == 0 && n == 1 ? 0 : n % 1 == 0 && n >= 2 && n <= 4 ? 1 : n % 1 != 0 ? 2: 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Inštalácia balíkov." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfigurácia zavádzača GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Spracovávajú sa balíky (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Pripájanie oddielov." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Inštaluje sa jeden balík." -msgstr[1] "Inštalujú sa %(num)d balíky." -msgstr[2] "Inštaluje sa %(num)d balíkov." -msgstr[3] "Inštaluje sa %(num)d balíkov." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Chyba konfigurácie" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Odstraňuje sa jeden balík." -msgstr[1] "Odstraňujú sa %(num)d balíky." -msgstr[2] "Odstraňuje sa %(num)d balíkov." -msgstr[3] "Odstraňuje sa %(num)d balíkov." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Nie sú určené žiadne oddiely na použitie pre
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Ukladanie sieťovej konfigurácie." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfigurácia služieb systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Chyba konfigurácie" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Nedá sa upraviť služba" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "Nie je zadaný žiadny bod pripojenia na použitie pre
{!s}
." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"Volanie systemctl {arg!s} in prostredí chroot vrátilo chybový " +"kód {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Odpojenie súborových systémov." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Nedá sa povoliť služba systému systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfigurácia mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Nedá sa povoliť cieľ systému systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Nie sú určené žiadne oddiely na použitie pre
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Nedá sa zakázať cieľ systému systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Nedá sa zamaskovať jednotka systému systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." msgstr "" +"Neznáme príkazy systému systemd {command!s} a " +"{suffix!s} pre jednotku {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Odpojenie súborových systémov." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -105,122 +109,122 @@ msgstr "Rozbaľuje sa obraz {}/{}, súbor {}/{}" msgid "Starting to unpack {}" msgstr "Spúšťa sa rozbaľovanie {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Zlyhalo rozbalenie obrazu „{}“" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Žiadny bod pripojenia pre koreňový oddiel" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Zlý bod pripojenia pre koreňový oddiel" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Nesprávna konfigurácia nástroja unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Súborový systém pre \"{}\" ({}) nie je podporovaný vaším aktuálnym jadrom" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Zdrojový súborový systém \"{}\" neexistuje" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Cieľ \"{}\" v cieľovom systéme nie je adresárom" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfigurácia služieb systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Nedá sa zapísať konfiguračný súbor správcu KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Nedá sa upraviť služba" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Konfiguračný súbor správcu KDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"Volanie systemctl {arg!s} in prostredí chroot vrátilo chybový " -"kód {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Nedá sa zapísať konfiguračný súbor správcu LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Nedá sa povoliť služba systému systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Konfiguračný súbor správcu LXDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Nedá sa povoliť cieľ systému systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Nedá sa zapísať konfiguračný súbor správcu LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Nedá sa zakázať cieľ systému systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Konfiguračný súbor správcu LightDM {!s} neexistuje" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Nedá sa zamaskovať jednotka systému systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Nedá s nakonfigurovať správca LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Neznáme príkazy systému systemd {command!s} a " -"{suffix!s} pre jednotku {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Nie je nainštalovaný žiadny vítací nástroj LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Fiktívna úloha jazyka python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Nedá sa zapísať konfiguračný súbor správcu SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Fiktívny krok {} jazyka python" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Konfiguračný súbor správcu SLIM {!s} neexistuje" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Inštalácia zavádzača." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Neboli vybraní žiadni správcovia zobrazenia pre modul displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfigurácia miestnych nastavení." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Pripájanie oddielov." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Konfigurácia správcu zobrazenia nebola úplná" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfigurácia motívu služby Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfigurácia mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "Nie je zadaný žiadny bod pripojenia na použitie pre
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfigurácia zašifrovaného odkladacieho priestoru." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Zapisovanie fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Inštalácia údajov." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -265,6 +269,46 @@ msgid "" "exist." msgstr "Cesta k službe {name!s} je {path!s}, ale neexistuje." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfigurácia motívu služby Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Inštalácia balíkov." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Spracovávajú sa balíky (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Inštaluje sa jeden balík." +msgstr[1] "Inštalujú sa %(num)d balíky." +msgstr[2] "Inštaluje sa %(num)d balíkov." +msgstr[3] "Inštaluje sa %(num)d balíkov." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Odstraňuje sa jeden balík." +msgstr[1] "Odstraňujú sa %(num)d balíky." +msgstr[2] "Odstraňuje sa %(num)d balíkov." +msgstr[3] "Odstraňuje sa %(num)d balíkov." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Inštalácia zavádzača." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Nastavovanie hardvérových hodín." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Vytváranie initramfs pomocou nástroja dracut." @@ -277,72 +321,31 @@ msgstr "Zlyhalo spustenie nástroja dracut v cieli" msgid "The exit code was {}" msgstr "Kód skončenia bol {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfigurácia zavádzača GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Nedá sa zapísať konfiguračný súbor správcu KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Konfiguračný súbor správcu KDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Nedá sa zapísať konfiguračný súbor správcu LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Konfiguračný súbor správcu LXDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Nedá sa zapísať konfiguračný súbor správcu LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Konfiguračný súbor správcu LightDM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Nedá s nakonfigurovať správca LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Nie je nainštalovaný žiadny vítací nástroj LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Nedá sa zapísať konfiguračný súbor správcu SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Konfiguračný súbor správcu SLIM {!s} neexistuje" - -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Neboli vybraní žiadni správcovia zobrazenia pre modul displaymanager." +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfigurácia initramfs." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Konfigurácia správcu zobrazenia nebola úplná" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Zapisovanie fstab." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfigurácia initramfs." +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Fiktívna úloha jazyka python." -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Nastavovanie hardvérových hodín." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Fiktívny krok {} jazyka python" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Inštalácia údajov." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfigurácia miestnych nastavení." + +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Ukladanie sieťovej konfigurácie." diff --git a/lang/python/sl/LC_MESSAGES/python.po b/lang/python/sl/LC_MESSAGES/python.po index a0b5ed446..3d23de20e 100644 --- a/lang/python/sl/LC_MESSAGES/python.po +++ b/lang/python/sl/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Slovenian (https://www.transifex.com/calamares/teams/20061/sl/)\n" "MIME-Version: 1.0\n" @@ -17,72 +17,72 @@ msgstr "" "Language: sl\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : n%100==3 || n%100==4 ? 2 : 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" -msgstr[3] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -101,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -257,84 +261,83 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" +msgstr[3] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/sq/LC_MESSAGES/python.po b/lang/python/sq/LC_MESSAGES/python.po index 28643d2a4..a0f9279f6 100644 --- a/lang/python/sq/LC_MESSAGES/python.po +++ b/lang/python/sq/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Besnik Bleta , 2020\n" "Language-Team: Albanian (https://www.transifex.com/calamares/teams/20061/sq/)\n" @@ -21,70 +21,77 @@ msgstr "" "Language: sq\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Instalo paketa." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Formësoni GRUB-in." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Po përpunohen paketat (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Po montohen pjesë." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Po instalohet një paketë." -msgstr[1] "Po instalohen %(num)d paketa." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Gabim Formësimi" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Po hiqet një paketë." -msgstr[1] "Po hiqen %(num)d paketa." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "S’ka pjesë të përkufizuara për
{!s}
për t’u përdorur." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Po ruhet formësimi i rrjetit." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Formësoni shërbime systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Gabim Formësimi" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "S’modifikohet dot shërbimi" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"S’është dhënë pikë montimi rrënjë për
{!s}
për t’u përdorur." +"Thirrja systemctl {arg!s} në chroot u përgjigj me kod gabimi " +"{num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Çmontoni sisteme kartelash." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "S’aktivizohet dot shërbimi systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Po formësohet mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "S’aktivizohet dot objektivi systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "S’ka pjesë të përkufizuara për
{!s}
për t’u përdorur." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "S’çaktivizohet dot objektivi systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Po formësohet shërbim OpenRC dmcrypt." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "S’maskohet dot njësia systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Urdhra të panjohur systemd {command!s} dhe " +"{suffix!s} për njësi {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Çmontoni sisteme kartelash." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -102,41 +109,41 @@ msgstr "Po shpaketohet paketa {}/{}, kartela {}/{}" msgid "Starting to unpack {}" msgstr "Po fillohet të shpaketohet {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Dështoi shpaketimi i figurës \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "S’ka pikë montimi për ndarjen rrënjë" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage nuk përmban një vlerë \"rootMountPoint\", s’po bëhet gjë" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Pikë e gabuar montimi për ndarjen rrënjë" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint është \"{}\", që s’ekziston, s’po bëhet gjë" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Formësim i keq i unsquash-it" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "Sistemi i kartelave për \"{}\" ({}) nuk mbulohet nga kerneli juaj i tanishëm" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Sistemi i kartelave \"{}\" ({}) s’ekziston" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -144,83 +151,86 @@ msgstr "" "S’u arrit të gjendej unsquashfs, sigurohuni se e keni të instaluar paketën " "squashfs-tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Destinacioni \"{}\" te sistemi i synuar s’është drejtori" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Formësoni shërbime systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "S’shkruhet dot kartelë formësimi KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "S’modifikohet dot shërbimi" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "S’ekziston kartelë formësimi KDM {!s}" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"Thirrja systemctl {arg!s} në chroot u përgjigj me kod gabimi " -"{num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "S’shkruhet dot kartelë formësimi LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "S’aktivizohet dot shërbimi systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "S’ekziston kartelë formësimi LXDM {!s}" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "S’aktivizohet dot objektivi systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "S’shkruhet dot kartelë formësimi LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "S’çaktivizohet dot objektivi systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "S’ekziston kartelë formësimi LightDM {!s}" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "S’maskohet dot njësia systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "S’formësohet dot LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Urdhra të panjohur systemd {command!s} dhe " -"{suffix!s} për njësi {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "S’ka të instaluar përshëndetës LightDM." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Akt python dummy." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "S’shkruhet dot kartelë formësimi SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Hap python {} dummy" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "S’ekziston kartelë formësimi SLIM {!s}" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Instalo ngarkues nisjesh." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "S’janë përzgjedhur përgjegjës ekrani për modulin displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Po formësohen vendoret." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Lista displaymanagers është e zbrazët ose e papërcaktuar si te " +"globalstorage, ashtu edhe te displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Po montohen pjesë." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Formësimi i përgjegjësit të ekranit s’qe i plotë" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Formësoni temën Plimuth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Po formësohet mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"S’është dhënë pikë montimi rrënjë për
{!s}
për t’u përdorur." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Po formësohet pjesë swap e fshehtëzuar." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Po shkruhet fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Po instalohen të dhëna." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -273,6 +283,42 @@ msgstr "" "Shtegu për shërbimin {name!s} është {path!s}, i cili nuk " "ekziston." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Formësoni temën Plimuth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Instalo paketa." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Po përpunohen paketat (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Po instalohet një paketë." +msgstr[1] "Po instalohen %(num)d paketa." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Po hiqet një paketë." +msgstr[1] "Po hiqen %(num)d paketa." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Instalo ngarkues nisjesh." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Po caktohet ora hardware." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Po krijohet initramfs me dracut." @@ -285,74 +331,31 @@ msgstr "S’u arrit të xhirohej dracut mbi objektivin" msgid "The exit code was {}" msgstr "Kodi i daljes qe {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Formësoni GRUB-in." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "S’shkruhet dot kartelë formësimi KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "S’ekziston kartelë formësimi KDM {!s}" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "S’shkruhet dot kartelë formësimi LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "S’ekziston kartelë formësimi LXDM {!s}" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "S’shkruhet dot kartelë formësimi LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "S’ekziston kartelë formësimi LightDM {!s}" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "S’formësohet dot LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "S’ka të instaluar përshëndetës LightDM." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "S’shkruhet dot kartelë formësimi SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "S’ekziston kartelë formësimi SLIM {!s}" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Po formësohet initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "S’janë përzgjedhur përgjegjës ekrani për modulin displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Po formësohet shërbim OpenRC dmcrypt." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Lista displaymanagers është e zbrazët ose e papërcaktuar si te " -"globalstorage, ashtu edhe te displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Po shkruhet fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Formësimi i përgjegjësit të ekranit s’qe i plotë" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Akt python dummy." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Po formësohet initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Hap python {} dummy" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Po caktohet ora hardware." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Po formësohen vendoret." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Po instalohen të dhëna." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Po ruhet formësimi i rrjetit." diff --git a/lang/python/sr/LC_MESSAGES/python.po b/lang/python/sr/LC_MESSAGES/python.po index acf821b95..232966a9c 100644 --- a/lang/python/sr/LC_MESSAGES/python.po +++ b/lang/python/sr/LC_MESSAGES/python.po @@ -11,7 +11,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Slobodan Simić , 2020\n" "Language-Team: Serbian (https://www.transifex.com/calamares/teams/20061/sr/)\n" @@ -21,72 +21,74 @@ msgstr "" "Language: sr\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Подеси ГРУБ" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Монтирање партиција." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Грешка поставе" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Упис поставе мреже." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Подеси „systemd“ сервисе" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Грешка поставе" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Не могу да мењам сервис" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Демонтирање фајл-система." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." msgstr "" +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Демонтирање фајл-система." + #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." msgstr "Попуњавање фајл-система." @@ -103,118 +105,122 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Неуспело распакивање одраза \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Нема тачке мотирања за root партицију" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Лоша тачка монтирања за корену партицију" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Подеси „systemd“ сервисе" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Не могу да мењам сервис" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Подешавање локалитета." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Монтирање партиција." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Уписивање fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Инсталирање података." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -259,84 +265,81 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Подеси ГРУБ" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Уписивање fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Подешавање локалитета." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Инсталирање података." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Упис поставе мреже." diff --git a/lang/python/sr@latin/LC_MESSAGES/python.po b/lang/python/sr@latin/LC_MESSAGES/python.po index 89549619d..947a3ac0c 100644 --- a/lang/python/sr@latin/LC_MESSAGES/python.po +++ b/lang/python/sr@latin/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Serbian (Latin) (https://www.transifex.com/calamares/teams/20061/sr@latin/)\n" "MIME-Version: 1.0\n" @@ -17,70 +17,72 @@ msgstr "" "Language: sr@latin\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" -msgstr[2] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -99,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -255,84 +261,81 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" +msgstr[2] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/sv/LC_MESSAGES/python.po b/lang/python/sv/LC_MESSAGES/python.po index 814d4e9bb..8248bddee 100644 --- a/lang/python/sv/LC_MESSAGES/python.po +++ b/lang/python/sv/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Tobias Olausson , 2020\n" "Language-Team: Swedish (https://www.transifex.com/calamares/teams/20061/sv/)\n" @@ -23,70 +23,77 @@ msgstr "" "Language: sv\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Installera paket." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Konfigurera GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Bearbetar paket (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Monterar partitioner." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Installerar ett paket." -msgstr[1] "Installerar %(num)d paket." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Konfigurationsfel" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Tar bort ett paket." -msgstr[1] "Tar bort %(num)d paket." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Inga partitioner är definerade för
{!s}
att använda." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Sparar nätverkskonfiguration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Konfigurera systemd tjänster" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Konfigurationsfel" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Kunde inte modifiera tjänst" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Ingen root monteringspunkt är angiven för
{!s}
att använda." +"Anrop till systemctl {arg!s}i chroot returnerade felkod " +"{num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Avmontera filsystem." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Kunde inte aktivera systemd tjänst {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Konfigurerar mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Kunde inte aktivera systemd målsystem {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Inga partitioner är definerade för
{!s}
att använda." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Kunde inte inaktivera systemd målsystem {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Konfigurerar OpenRC dmcrypt tjänst." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Kan inte maskera systemd unit {name!s}" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Okända systemd kommandon {command!s} och {suffix!s} för " +"enhet {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Avmontera filsystem." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -104,40 +111,40 @@ msgstr "Packar upp avbild {}/{}, fil {}/{}" msgid "Starting to unpack {}" msgstr "Börjar att packa upp {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Misslyckades att packa upp avbild \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Ingen monteringspunkt för root partition" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage innehåller ingen \"rootMountPoint\"-nyckel, så gör inget" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Dålig monteringspunkt för root partition" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint är \"{}\", vilket inte finns, så gör inget" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Dålig unsquash konfiguration" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "Filsystemet för \"{}\" ({}) stöds inte av din nuvarande kärna" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Källfilsystemet \"{}\" existerar inte" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -145,83 +152,86 @@ msgstr "" "Kunde inte hitta unsquashfs, se till att du har paketet squashfs-tools " "installerat" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Destinationen \"{}\" på målsystemet är inte en katalog" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Konfigurera systemd tjänster" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Misslyckades med att skriva KDM konfigurationsfil" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Kunde inte modifiera tjänst" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM konfigurationsfil {!s} existerar inte" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"Anrop till systemctl {arg!s}i chroot returnerade felkod " -"{num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Misslyckades med att skriva LXDM konfigurationsfil" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Kunde inte aktivera systemd tjänst {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM konfigurationsfil {!s} existerar inte" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Kunde inte aktivera systemd målsystem {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Misslyckades med att skriva LightDM konfigurationsfil" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Kunde inte inaktivera systemd målsystem {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM konfigurationsfil {!s} existerar inte" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Kan inte maskera systemd unit {name!s}" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Kunde inte konfigurera LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Okända systemd kommandon {command!s} och {suffix!s} för " -"enhet {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Ingen LightDM greeter installerad." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Exempel python jobb" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Misslyckades med att SLIM konfigurationsfil" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Exempel python steg {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM konfigurationsfil {!s} existerar inte" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Installera starthanterare." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Ingen skärmhanterare vald för displaymanager modulen." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Konfigurerar språkinställningar" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Skärmhanterar listan är tom eller odefinierad i bothglobalstorage och " +"displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Monterar partitioner." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Konfiguration för displayhanteraren var inkomplett" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Konfigurera Plymouth tema" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Konfigurerar mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Ingen root monteringspunkt är angiven för
{!s}
att använda." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Konfigurerar krypterad swap." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Skriver fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Installerar data." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -273,6 +283,42 @@ msgid "" msgstr "" "Sökvägen för tjänst {name!s} är {path!s}, som inte existerar." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Konfigurera Plymouth tema" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Installera paket." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Bearbetar paket (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Installerar ett paket." +msgstr[1] "Installerar %(num)d paket." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Tar bort ett paket." +msgstr[1] "Tar bort %(num)d paket." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Installera starthanterare." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Ställer hårdvaruklockan." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Skapar initramfs med dracut." @@ -285,74 +331,31 @@ msgstr "Misslyckades att köra dracut på målet " msgid "The exit code was {}" msgstr "Felkoden var {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Konfigurera GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Misslyckades med att skriva KDM konfigurationsfil" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM konfigurationsfil {!s} existerar inte" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Misslyckades med att skriva LXDM konfigurationsfil" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM konfigurationsfil {!s} existerar inte" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Misslyckades med att skriva LightDM konfigurationsfil" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM konfigurationsfil {!s} existerar inte" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Kunde inte konfigurera LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Ingen LightDM greeter installerad." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Misslyckades med att SLIM konfigurationsfil" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM konfigurationsfil {!s} existerar inte" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Konfigurerar initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Ingen skärmhanterare vald för displaymanager modulen." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Konfigurerar OpenRC dmcrypt tjänst." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Skärmhanterar listan är tom eller odefinierad i bothglobalstorage och " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Skriver fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Konfiguration för displayhanteraren var inkomplett" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Exempel python jobb" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Konfigurerar initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Exempel python steg {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Ställer hårdvaruklockan." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Konfigurerar språkinställningar" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Installerar data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Sparar nätverkskonfiguration." diff --git a/lang/python/th/LC_MESSAGES/python.po b/lang/python/th/LC_MESSAGES/python.po index 31d47dae1..d042d58fe 100644 --- a/lang/python/th/LC_MESSAGES/python.po +++ b/lang/python/th/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Thai (https://www.transifex.com/calamares/teams/20061/th/)\n" "MIME-Version: 1.0\n" @@ -17,66 +17,72 @@ msgstr "" "Language: th\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -95,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -251,84 +261,77 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/tr_TR/LC_MESSAGES/python.po b/lang/python/tr_TR/LC_MESSAGES/python.po index ce2c70ff8..bf26b5ad8 100644 --- a/lang/python/tr_TR/LC_MESSAGES/python.po +++ b/lang/python/tr_TR/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Demiray Muhterem , 2020\n" "Language-Team: Turkish (Turkey) (https://www.transifex.com/calamares/teams/20061/tr_TR/)\n" @@ -22,69 +22,77 @@ msgstr "" "Language: tr_TR\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Paketleri yükle" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "GRUB'u yapılandır." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Paketler işleniyor (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Disk bölümlemeleri bağlanıyor." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "%(num)d paket yükleniyor" -msgstr[1] "%(num)d paket yükleniyor" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Yapılandırma Hatası" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "%(num)d paket kaldırılıyor." -msgstr[1] "%(num)d paket kaldırılıyor." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "
{!s}
kullanması için hiçbir bölüm tanımlanmadı." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Ağ yapılandırması kaydediliyor." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Systemd hizmetlerini yapılandır" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Yapılandırma Hatası" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Hizmet değiştirilemiyor" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "
{!s}
kullanması için kök bağlama noktası verilmedi." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "" +"systemctl {arg!s} chroot çağrısında hata kodu döndürüldü " +"{num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Dosya sistemlerini ayırın." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Systemd hizmeti etkinleştirilemiyor {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Mkinitcpio yapılandırılıyor." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Systemd hedefi etkinleştirilemiyor {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "
{!s}
kullanması için hiçbir bölüm tanımlanmadı." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Systemd hedefi devre dışı bırakılamıyor {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "OpenRC dmcrypt hizmeti yapılandırılıyor." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Systemd birimi maskeleyemiyor {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Bilinmeyen sistem komutları {command!s} ve " +"{suffix!s} {name!s} birimi için." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Dosya sistemlerini ayırın." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -102,124 +110,126 @@ msgstr "Açılan kurulum medyası {}/{}, dışa aktarılan dosya sayısı {}/{}" msgid "Starting to unpack {}" msgstr "Dışa aktarım başlatılıyor {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "\"{}\" kurulum medyası aktarılamadı" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "kök disk bölümü için bağlama noktası yok" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "globalstorage bir \"rootMountPoint\" anahtarı içermiyor, hiçbirşey yapılmadı" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Kök disk bölümü için hatalı bağlama noktası" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint \"{}\", mevcut değil, hiçbirşey yapılmadı" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Unsquash yapılandırma sorunlu" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "\"{}\" ({}) Dosya sistemi mevcut çekirdeğiniz tarafından desteklenmiyor" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "\"{}\" Kaynak dosya sistemi mevcut değil" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" "Unsquashfs bulunamadı, squashfs-tools paketinin kurulu olduğundan emin olun." -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Hedef sistemdeki \"{}\" hedefi bir dizin değil" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Systemd hizmetlerini yapılandır" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "KDM yapılandırma dosyası yazılamıyor" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Hizmet değiştirilemiyor" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM yapılandırma dosyası {!s} mevcut değil" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"systemctl {arg!s} chroot çağrısında hata kodu döndürüldü " -"{num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "LXDM yapılandırma dosyası yazılamıyor" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Systemd hizmeti etkinleştirilemiyor {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM yapılandırma dosyası {!s} mevcut değil" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Systemd hedefi etkinleştirilemiyor {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "LightDM yapılandırma dosyası yazılamıyor" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Systemd hedefi devre dışı bırakılamıyor {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM yapılandırma dosyası {!s} mevcut değil" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Systemd birimi maskeleyemiyor {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "LightDM yapılandırılamıyor" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Bilinmeyen sistem komutları {command!s} ve " -"{suffix!s} {name!s} birimi için." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "LightDM karşılama yüklü değil." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "SLIM yapılandırma dosyası yazılamıyor" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM yapılandırma dosyası {!s} mevcut değil" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Önyükleyici kuruluyor" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Ekran yöneticisi modülü için ekran yöneticisi seçilmedi." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Sistem yerelleri yapılandırılıyor." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Görüntüleyiciler listesi, her iki bölgedeki ve displaymanager.conf öğesinde " +"boş veya tanımsızdır." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Disk bölümlemeleri bağlanıyor." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Ekran yöneticisi yapılandırma işi tamamlanamadı" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Plymouth temasını yapılandır" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Mkinitcpio yapılandırılıyor." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "
{!s}
kullanması için kök bağlama noktası verilmedi." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Şifreli takas alanı yapılandırılıyor." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Fstab dosyasına yazılıyor." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Veri yükleniyor." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -268,6 +278,42 @@ msgid "" "exist." msgstr "{name!s} hizmetinin yolu {path!s}, ki mevcut değil." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Plymouth temasını yapılandır" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Paketleri yükle" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Paketler işleniyor (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "%(num)d paket yükleniyor" +msgstr[1] "%(num)d paket yükleniyor" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "%(num)d paket kaldırılıyor." +msgstr[1] "%(num)d paket kaldırılıyor." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Önyükleyici kuruluyor" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Donanım saati ayarlanıyor." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Dracut ile initramfs oluşturuluyor." @@ -280,74 +326,31 @@ msgstr "Hedef üzerinde dracut çalıştırılamadı" msgid "The exit code was {}" msgstr "Çıkış kodu {} idi" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "GRUB'u yapılandır." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "KDM yapılandırma dosyası yazılamıyor" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM yapılandırma dosyası {!s} mevcut değil" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "LXDM yapılandırma dosyası yazılamıyor" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM yapılandırma dosyası {!s} mevcut değil" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "LightDM yapılandırma dosyası yazılamıyor" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM yapılandırma dosyası {!s} mevcut değil" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "LightDM yapılandırılamıyor" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "LightDM karşılama yüklü değil." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "SLIM yapılandırma dosyası yazılamıyor" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM yapılandırma dosyası {!s} mevcut değil" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Initramfs yapılandırılıyor." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Ekran yöneticisi modülü için ekran yöneticisi seçilmedi." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "OpenRC dmcrypt hizmeti yapılandırılıyor." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Görüntüleyiciler listesi, her iki bölgedeki ve displaymanager.conf öğesinde " -"boş veya tanımsızdır." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Fstab dosyasına yazılıyor." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Ekran yöneticisi yapılandırma işi tamamlanamadı" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Dummy python job." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Initramfs yapılandırılıyor." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Dummy python step {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Donanım saati ayarlanıyor." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Sistem yerelleri yapılandırılıyor." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Veri yükleniyor." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Ağ yapılandırması kaydediliyor." diff --git a/lang/python/uk/LC_MESSAGES/python.po b/lang/python/uk/LC_MESSAGES/python.po index 1fbadfc91..428dea6c2 100644 --- a/lang/python/uk/LC_MESSAGES/python.po +++ b/lang/python/uk/LC_MESSAGES/python.po @@ -13,7 +13,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Yuri Chornoivan , 2020\n" "Language-Team: Ukrainian (https://www.transifex.com/calamares/teams/20061/uk/)\n" @@ -23,74 +23,77 @@ msgstr "" "Language: uk\n" "Plural-Forms: nplurals=4; plural=(n % 1 == 0 && n % 10 == 1 && n % 100 != 11 ? 0 : n % 1 == 0 && n % 10 >= 2 && n % 10 <= 4 && (n % 100 < 12 || n % 100 > 14) ? 1 : n % 1 == 0 && (n % 10 ==0 || (n % 10 >=5 && n % 10 <=9) || (n % 100 >=11 && n % 100 <=14 )) ? 2: 3);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "Встановити пакети." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "Налаштовування GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "Обробляємо пакунки (%(count)d з %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "Монтування розділів." -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "Встановлюємо %(num)d пакунок." -msgstr[1] "Встановлюємо %(num)d пакунки." -msgstr[2] "Встановлюємо %(num)d пакунків." -msgstr[3] "Встановлюємо один пакунок." +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "Помилка налаштовування" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "Вилучаємо %(num)d пакунок." -msgstr[1] "Вилучаємо %(num)d пакунки." -msgstr[2] "Вилучаємо %(num)d пакунків." -msgstr[3] "Вилучаємо один пакунок." +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "Не визначено розділів для використання
{!s}
." -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "Зберігаємо налаштування мережі." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "Налаштуйте служби systemd" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "Помилка налаштовування" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "Не вдалося змінити службу" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -"Не вказано кореневої точки монтування для використання у
{!s}
." +"Внаслідок виклику systemctl {arg!s} у chroot було повернуто " +"повідомлення з кодом помилки {num! s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "Демонтувати файлові системи." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "Не вдалося ввімкнути службу systemd {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "Налаштовуємо mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "Не вдалося ввімкнути завдання systemd {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "Не визначено розділів для використання
{!s}
." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "Не вдалося вимкнути завдання systemd {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "Налаштовуємо службу dmcrypt OpenRC." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "Не вдалося замаскувати вузол systemd {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"Невідомі команди systemd {command!s} та {suffix!s}" +" для пристрою {name!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "Демонтувати файлові системи." #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -108,45 +111,45 @@ msgstr "Розпаковуємо образ {} з {}, файл {} з {}" msgid "Starting to unpack {}" msgstr "Починаємо розпаковувати {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "Не вдалося розпакувати образ «{}»" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "Немає точки монтування для кореневого розділу" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" "У globalstorage не міститься ключа «rootMountPoint». Не виконуватимемо " "ніяких дій." -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "Помилкова точна монтування для кореневого розділу" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" "Для rootMountPoint вказано значення «{}». Такого шляху не існує. Не " "виконуватимемо ніяких дій." -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "Помилкові налаштування unsquash" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" "У поточному ядрі системи не передбачено підтримки файлової системи «{}» ({})" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "Вихідної файлової системи «{}» не існує" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" @@ -154,83 +157,86 @@ msgstr "" "Не вдалося знайти unsquashfs; переконайтеся, що встановлено пакет squashfs-" "tools" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "Призначення «{}» у цільовій системі не є каталогом" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "Налаштуйте служби systemd" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "Не вдалося записати файл налаштувань KDM" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "Не вдалося змінити службу" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "Файла налаштувань KDM {!s} не існує" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "" -"Внаслідок виклику systemctl {arg!s} у chroot було повернуто " -"повідомлення з кодом помилки {num! s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "Не вдалося виконати запис до файла налаштувань LXDM" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "Не вдалося ввімкнути службу systemd {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "Файла налаштувань LXDM {!s} не існує" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "Не вдалося ввімкнути завдання systemd {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "Не вдалося виконати запис до файла налаштувань LightDM" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "Не вдалося вимкнути завдання systemd {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "Файла налаштувань LightDM {!s} не існує" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "Не вдалося замаскувати вузол systemd {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "Не вдалося налаштувати LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"Невідомі команди systemd {command!s} та {suffix!s}" -" для пристрою {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "Засіб входу до системи LightDM не встановлено." -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "Фіктивне завдання python." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "Не вдалося виконати запис до файла налаштувань SLIM" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "Фіктивний крок python {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "Файла налаштувань SLIM {!s} не існує" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "Встановити завантажувач." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "Не вибрано засобу керування дисплеєм для модуля displaymanager." -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "Налаштовуємо локалі." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "" +"Список засобів керування дисплеєм є порожнім або невизначеним у " +"bothglobalstorage та displaymanager.conf." -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "Монтування розділів." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "Налаштування засобу керування дисплеєм є неповними" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "Налаштувати тему Plymouth" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "Налаштовуємо mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "" +"Не вказано кореневої точки монтування для використання у
{!s}
." #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "Налаштовуємо зашифрований розділ резервної пам'яті." -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "Записуємо fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "Встановлюємо дані." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -283,6 +289,46 @@ msgstr "" "Шляхом до служби {name!s} вказано {path!s}. Такого шляху не " "існує." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "Налаштувати тему Plymouth" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "Встановити пакети." + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "Обробляємо пакунки (%(count)d з %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "Встановлюємо %(num)d пакунок." +msgstr[1] "Встановлюємо %(num)d пакунки." +msgstr[2] "Встановлюємо %(num)d пакунків." +msgstr[3] "Встановлюємо один пакунок." + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "Вилучаємо %(num)d пакунок." +msgstr[1] "Вилучаємо %(num)d пакунки." +msgstr[2] "Вилучаємо %(num)d пакунків." +msgstr[3] "Вилучаємо один пакунок." + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "Встановити завантажувач." + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "Встановлюємо значення для апаратного годинника." + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "Створюємо initramfs за допомогою dracut." @@ -295,74 +341,31 @@ msgstr "Не вдалося виконати dracut над призначенн msgid "The exit code was {}" msgstr "Код виходу — {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "Налаштовування GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "Не вдалося записати файл налаштувань KDM" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "Файла налаштувань KDM {!s} не існує" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "Не вдалося виконати запис до файла налаштувань LXDM" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "Файла налаштувань LXDM {!s} не існує" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "Не вдалося виконати запис до файла налаштувань LightDM" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "Файла налаштувань LightDM {!s} не існує" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "Не вдалося налаштувати LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "Засіб входу до системи LightDM не встановлено." - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "Не вдалося виконати запис до файла налаштувань SLIM" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "Файла налаштувань SLIM {!s} не існує" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "Налаштовуємо initramfs." -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "Не вибрано засобу керування дисплеєм для модуля displaymanager." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "Налаштовуємо службу dmcrypt OpenRC." -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "" -"Список засобів керування дисплеєм є порожнім або невизначеним у " -"bothglobalstorage та displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "Записуємо fstab." -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "Налаштування засобу керування дисплеєм є неповними" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "Фіктивне завдання python." -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "Налаштовуємо initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "Фіктивний крок python {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "Встановлюємо значення для апаратного годинника." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "Налаштовуємо локалі." -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "Встановлюємо дані." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "Зберігаємо налаштування мережі." diff --git a/lang/python/ur/LC_MESSAGES/python.po b/lang/python/ur/LC_MESSAGES/python.po index e76abba14..4ccb1881a 100644 --- a/lang/python/ur/LC_MESSAGES/python.po +++ b/lang/python/ur/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Urdu (https://www.transifex.com/calamares/teams/20061/ur/)\n" "MIME-Version: 1.0\n" @@ -17,68 +17,72 @@ msgstr "" "Language: ur\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" -msgstr[1] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -97,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -253,84 +261,79 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" +msgstr[1] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/uz/LC_MESSAGES/python.po b/lang/python/uz/LC_MESSAGES/python.po index 8366e8adc..3d002fc5e 100644 --- a/lang/python/uz/LC_MESSAGES/python.po +++ b/lang/python/uz/LC_MESSAGES/python.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Language-Team: Uzbek (https://www.transifex.com/calamares/teams/20061/uz/)\n" "MIME-Version: 1.0\n" @@ -17,66 +17,72 @@ msgstr "" "Language: uz\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." msgstr "" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." msgstr "" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" msgstr "" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" msgstr "" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." msgstr "" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." msgstr "" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." msgstr "" #: src/modules/unpackfs/main.py:44 @@ -95,117 +101,121 @@ msgstr "" msgid "Starting to unpack {}" msgstr "" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" msgstr "" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" msgstr "" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" msgstr "" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." msgstr "" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" msgstr "" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" msgstr "" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." msgstr "" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." msgstr "" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" msgstr "" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." msgstr "" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." +#: src/modules/rawfs/main.py:35 +msgid "Installing data." msgstr "" #: src/modules/services-openrc/main.py:38 @@ -251,84 +261,77 @@ msgid "" "exist." msgstr "" -#: src/modules/dracut/main.py:36 -msgid "Creating initramfs with dracut." -msgstr "" - -#: src/modules/dracut/main.py:58 -msgid "Failed to run dracut on the target" -msgstr "" - -#: src/modules/dracut/main.py:59 -msgid "The exit code was {}" -msgstr "" - -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" msgstr "" -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." msgstr "" -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" msgstr "" -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "" +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "" +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "" -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." msgstr "" -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." msgstr "" -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" +#: src/modules/dracut/main.py:36 +msgid "Creating initramfs with dracut." msgstr "" -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." +#: src/modules/dracut/main.py:58 +msgid "Failed to run dracut on the target" msgstr "" -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" +#: src/modules/dracut/main.py:59 +msgid "The exit code was {}" msgstr "" -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." msgstr "" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." msgstr "" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." msgstr "" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." msgstr "" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" msgstr "" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." msgstr "" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." msgstr "" diff --git a/lang/python/zh_CN/LC_MESSAGES/python.po b/lang/python/zh_CN/LC_MESSAGES/python.po index 6f632342b..b51e4c766 100644 --- a/lang/python/zh_CN/LC_MESSAGES/python.po +++ b/lang/python/zh_CN/LC_MESSAGES/python.po @@ -15,7 +15,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: 玉堂白鹤 , 2020\n" "Language-Team: Chinese (China) (https://www.transifex.com/calamares/teams/20061/zh_CN/)\n" @@ -25,67 +25,75 @@ msgstr "" "Language: zh_CN\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "安装软件包。" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "配置 GRUB." -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "软件包处理中(%(count)d/%(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "挂载分区。" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "安装%(num)d软件包。" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "配置错误" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "移除%(num)d软件包。" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "没有分配分区给
{!s}
。" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "正在保存网络配置。" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "配置 systemd 服务" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "配置错误" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "无法修改服务" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr " 未设置
{!s}
要使用的根挂载点。" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "chroot 中的 systemctl {arg!s} 命令返回错误 {num!s}." -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "卸载文件系统。" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "无法启用 systemd 服务 {name!s}." -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "配置 mkinitcpio." +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "无法启用 systemd 目标 {name!s}." -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "没有分配分区给
{!s}
。" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "无法禁用 systemd 目标 {name!s}." -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "配置 OpenRC dmcrypt 服务。" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "无法屏蔽 systemd 单元 {name!s}." + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"未知的 systemd 命令 {command!s} 和 {name!s} 单元前缀 " +"{suffix!s}." + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "卸载文件系统。" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -103,120 +111,122 @@ msgstr "解压镜像 {}/{},文件{}/{}" msgid "Starting to unpack {}" msgstr "开始解压 {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "解压镜像失败 \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "无 root 分区挂载点" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage 未包含 \"rootMountPoint\",跳过" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "错误的 root 分区挂载点" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint 是 \"{}\",不存在此位置,跳过" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "错误的 unsquash 配置" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "你当前的内核不支持文件系统 \"{}\" ({})" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "源文件系统 \"{}\" 不存在" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "未找到 unsquashfs,请确保安装了 squashfs-tools 软件包" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "目标系统中的 \"{}\" 不是一个目录" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "配置 systemd 服务" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "无法写入 KDM 配置文件" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "无法修改服务" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM 配置文件 {!s} 不存在" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "chroot 中的 systemctl {arg!s} 命令返回错误 {num!s}." +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "无法写入 LXDM 配置文件" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "无法启用 systemd 服务 {name!s}." +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM 配置文件 {!s} 不存在" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "无法启用 systemd 目标 {name!s}." +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "无法写入 LightDM 配置文件" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "无法禁用 systemd 目标 {name!s}." +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM 配置文件 {!s} 不存在" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "无法屏蔽 systemd 单元 {name!s}." +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "无法配置 LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"未知的 systemd 命令 {command!s} 和 {name!s} 单元前缀 " -"{suffix!s}." +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "未安装 LightDM 欢迎程序。" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "占位 Python 任务。" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "无法写入 SLIM 配置文件" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "占位 Python 步骤 {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM 配置文件 {!s} 不存在" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "安装启动加载器。" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "显示管理器模块中未选择显示管理器。" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "正在进行本地化配置。" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "globalstorage 和 displaymanager.conf 配置文件中都没有配置显示管理器。" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "挂载分区。" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "显示管理器配置不完全" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "配置 Plymouth 主题" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "配置 mkinitcpio." + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr " 未设置
{!s}
要使用的根挂载点。" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "配置加密交换分区。" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "正在写入 fstab。" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "安装数据." #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -261,6 +271,40 @@ msgid "" "exist." msgstr "服务 {name!s} 的路径 {path!s} 不存在。" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "配置 Plymouth 主题" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "安装软件包。" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "软件包处理中(%(count)d/%(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "安装%(num)d软件包。" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "移除%(num)d软件包。" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "安装启动加载器。" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "设置硬件时钟。" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "用 dracut 创建 initramfs." @@ -273,72 +317,31 @@ msgstr "无法在目标中运行 dracut " msgid "The exit code was {}" msgstr "退出码是 {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "配置 GRUB." - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "无法写入 KDM 配置文件" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM 配置文件 {!s} 不存在" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "无法写入 LXDM 配置文件" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM 配置文件 {!s} 不存在" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "无法写入 LightDM 配置文件" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM 配置文件 {!s} 不存在" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "无法配置 LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "未安装 LightDM 欢迎程序。" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "无法写入 SLIM 配置文件" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM 配置文件 {!s} 不存在" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "正在配置初始内存文件系统。" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "显示管理器模块中未选择显示管理器。" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "配置 OpenRC dmcrypt 服务。" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "globalstorage 和 displaymanager.conf 配置文件中都没有配置显示管理器。" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "正在写入 fstab。" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "显示管理器配置不完全" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "占位 Python 任务。" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "正在配置初始内存文件系统。" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "占位 Python 步骤 {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "设置硬件时钟。" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "正在进行本地化配置。" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "安装数据." +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "正在保存网络配置。" diff --git a/lang/python/zh_TW/LC_MESSAGES/python.po b/lang/python/zh_TW/LC_MESSAGES/python.po index 5c76c2b20..553977d26 100644 --- a/lang/python/zh_TW/LC_MESSAGES/python.po +++ b/lang/python/zh_TW/LC_MESSAGES/python.po @@ -12,7 +12,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2020-04-30 23:13+0200\n" +"POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" "Last-Translator: Walter Cheuk , 2020\n" "Language-Team: Chinese (Taiwan) (https://www.transifex.com/calamares/teams/20061/zh_TW/)\n" @@ -22,67 +22,75 @@ msgstr "" "Language: zh_TW\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 -#: src/modules/packages/main.py:78 -msgid "Install packages." -msgstr "安裝軟體包。" +#: src/modules/grubcfg/main.py:37 +msgid "Configure GRUB." +msgstr "設定 GRUB。" -#: src/modules/packages/main.py:66 -#, python-format -msgid "Processing packages (%(count)d / %(total)d)" -msgstr "正在處理軟體包 (%(count)d / %(total)d)" +#: src/modules/mount/main.py:38 +msgid "Mounting partitions." +msgstr "正在掛載分割區。" -#: src/modules/packages/main.py:71 -#, python-format -msgid "Installing one package." -msgid_plural "Installing %(num)d packages." -msgstr[0] "正在安裝 %(num)d 軟體包。" +#: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 +#: src/modules/initcpiocfg/main.py:209 +#: src/modules/luksopenswaphookcfg/main.py:95 +#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/rawfs/main.py:173 +#: src/modules/initramfscfg/main.py:94 src/modules/initramfscfg/main.py:98 +#: src/modules/openrcdmcryptcfg/main.py:78 +#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/fstab/main.py:332 +#: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 +#: src/modules/networkcfg/main.py:48 +msgid "Configuration Error" +msgstr "設定錯誤" -#: src/modules/packages/main.py:74 -#, python-format -msgid "Removing one package." -msgid_plural "Removing %(num)d packages." -msgstr[0] "正在移除 %(num)d 軟體包。" +#: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 +#: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 +#: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 +#: src/modules/fstab/main.py:333 +msgid "No partitions are defined for
{!s}
to use." +msgstr "沒有分割區被定義為
{!s}
以供使用。" -#: src/modules/networkcfg/main.py:37 -msgid "Saving network configuration." -msgstr "正在儲存網路設定。" +#: src/modules/services-systemd/main.py:35 +msgid "Configure systemd services" +msgstr "設定 systemd 服務" -#: src/modules/networkcfg/main.py:48 src/modules/initcpiocfg/main.py:205 -#: src/modules/initcpiocfg/main.py:209 src/modules/openrcdmcryptcfg/main.py:78 -#: src/modules/openrcdmcryptcfg/main.py:82 src/modules/localecfg/main.py:144 -#: src/modules/mount/main.py:145 src/modules/luksopenswaphookcfg/main.py:95 -#: src/modules/luksopenswaphookcfg/main.py:99 src/modules/fstab/main.py:332 -#: src/modules/fstab/main.py:338 src/modules/initramfscfg/main.py:94 -#: src/modules/initramfscfg/main.py:98 src/modules/rawfs/main.py:171 -msgid "Configuration Error" -msgstr "設定錯誤" +#: src/modules/services-systemd/main.py:68 +#: src/modules/services-openrc/main.py:102 +msgid "Cannot modify service" +msgstr "無法修改服務" -#: src/modules/networkcfg/main.py:49 src/modules/initcpiocfg/main.py:210 -#: src/modules/openrcdmcryptcfg/main.py:83 src/modules/localecfg/main.py:145 -#: src/modules/luksopenswaphookcfg/main.py:100 src/modules/fstab/main.py:339 -#: src/modules/initramfscfg/main.py:99 -msgid "No root mount point is given for
{!s}
to use." -msgstr "沒有給定的根掛載點
{!s}
以供使用。" +#: src/modules/services-systemd/main.py:69 +msgid "" +"systemctl {arg!s} call in chroot returned error code {num!s}." +msgstr "在 chroot 中呼叫的 systemctl {arg!s} 回傳了錯誤代碼 {num!s}。" -#: src/modules/umount/main.py:40 -msgid "Unmount file systems." -msgstr "解除掛載檔案系統。" +#: src/modules/services-systemd/main.py:72 +#: src/modules/services-systemd/main.py:76 +msgid "Cannot enable systemd service {name!s}." +msgstr "無法啟用 systemd 服務 {name!s}。" -#: src/modules/initcpiocfg/main.py:37 -msgid "Configuring mkinitcpio." -msgstr "正在設定 mkinitcpio。" +#: src/modules/services-systemd/main.py:74 +msgid "Cannot enable systemd target {name!s}." +msgstr "無法啟用 systemd 目標 {name!s}。" -#: src/modules/initcpiocfg/main.py:206 src/modules/openrcdmcryptcfg/main.py:79 -#: src/modules/mount/main.py:146 src/modules/luksopenswaphookcfg/main.py:96 -#: src/modules/fstab/main.py:333 src/modules/initramfscfg/main.py:95 -#: src/modules/rawfs/main.py:172 -msgid "No partitions are defined for
{!s}
to use." -msgstr "沒有分割區被定義為
{!s}
以供使用。" +#: src/modules/services-systemd/main.py:78 +msgid "Cannot disable systemd target {name!s}." +msgstr "無法停用 systemd 目標 {name!s}。" -#: src/modules/openrcdmcryptcfg/main.py:34 -msgid "Configuring OpenRC dmcrypt service." -msgstr "正在設定 OpenRC dmcrypt 服務。" +#: src/modules/services-systemd/main.py:80 +msgid "Cannot mask systemd unit {name!s}." +msgstr "無法 mask systemd 單位 {name!s}。" + +#: src/modules/services-systemd/main.py:82 +msgid "" +"Unknown systemd commands {command!s} and " +"{suffix!s} for unit {name!s}." +msgstr "" +"未知的 systemd 指令 {command!s}{suffix!s} 給單位 " +"{name!s}。" + +#: src/modules/umount/main.py:40 +msgid "Unmount file systems." +msgstr "解除掛載檔案系統。" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." @@ -100,120 +108,122 @@ msgstr "正在解壓縮 {}/{},檔案 {}/{}" msgid "Starting to unpack {}" msgstr "開始解壓縮 {}" -#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:432 +#: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" msgstr "無法解開映像檔 \"{}\"" -#: src/modules/unpackfs/main.py:399 +#: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" msgstr "沒有 root 分割區的掛載點" -#: src/modules/unpackfs/main.py:400 +#: src/modules/unpackfs/main.py:416 msgid "globalstorage does not contain a \"rootMountPoint\" key, doing nothing" msgstr "globalstorage 不包含 \"rootMountPoint\" 鍵,不做任何事" -#: src/modules/unpackfs/main.py:405 +#: src/modules/unpackfs/main.py:421 msgid "Bad mount point for root partition" msgstr "root 分割區掛載點錯誤" -#: src/modules/unpackfs/main.py:406 +#: src/modules/unpackfs/main.py:422 msgid "rootMountPoint is \"{}\", which does not exist, doing nothing" msgstr "rootMountPoint 為 \"{}\",其不存在,不做任何事" -#: src/modules/unpackfs/main.py:422 src/modules/unpackfs/main.py:426 -#: src/modules/unpackfs/main.py:446 +#: src/modules/unpackfs/main.py:438 src/modules/unpackfs/main.py:442 +#: src/modules/unpackfs/main.py:462 msgid "Bad unsquash configuration" msgstr "錯誤的 unsquash 設定" -#: src/modules/unpackfs/main.py:423 +#: src/modules/unpackfs/main.py:439 msgid "The filesystem for \"{}\" ({}) is not supported by your current kernel" msgstr "\"{}\" ({}) 的檔案系統不獲您目前的內核所支援" -#: src/modules/unpackfs/main.py:427 +#: src/modules/unpackfs/main.py:443 msgid "The source filesystem \"{}\" does not exist" msgstr "來源檔案系統 \"{}\" 不存在" -#: src/modules/unpackfs/main.py:433 +#: src/modules/unpackfs/main.py:449 msgid "" "Failed to find unsquashfs, make sure you have the squashfs-tools package " "installed" msgstr "找不到 unsquashfs,請確定已安裝 squashfs-tools 軟體包" -#: src/modules/unpackfs/main.py:447 +#: src/modules/unpackfs/main.py:463 msgid "The destination \"{}\" in the target system is not a directory" msgstr "目標系統中的目的地 \"{}\" 不是目錄" -#: src/modules/services-systemd/main.py:35 -msgid "Configure systemd services" -msgstr "設定 systemd 服務" +#: src/modules/displaymanager/main.py:523 +msgid "Cannot write KDM configuration file" +msgstr "無法寫入 KDM 設定檔" -#: src/modules/services-systemd/main.py:68 -#: src/modules/services-openrc/main.py:102 -msgid "Cannot modify service" -msgstr "無法修改服務" +#: src/modules/displaymanager/main.py:524 +msgid "KDM config file {!s} does not exist" +msgstr "KDM 設定檔 {!s} 不存在" -#: src/modules/services-systemd/main.py:69 -msgid "" -"systemctl {arg!s} call in chroot returned error code {num!s}." -msgstr "在 chroot 中呼叫的 systemctl {arg!s} 回傳了錯誤代碼 {num!s}。" +#: src/modules/displaymanager/main.py:585 +msgid "Cannot write LXDM configuration file" +msgstr "無法寫入 LXDM 設定檔" -#: src/modules/services-systemd/main.py:72 -#: src/modules/services-systemd/main.py:76 -msgid "Cannot enable systemd service {name!s}." -msgstr "無法啟用 systemd 服務 {name!s}。" +#: src/modules/displaymanager/main.py:586 +msgid "LXDM config file {!s} does not exist" +msgstr "LXDM 設定檔 {!s} 不存在" -#: src/modules/services-systemd/main.py:74 -msgid "Cannot enable systemd target {name!s}." -msgstr "無法啟用 systemd 目標 {name!s}。" +#: src/modules/displaymanager/main.py:669 +msgid "Cannot write LightDM configuration file" +msgstr "無法寫入 LightDM 設定檔" -#: src/modules/services-systemd/main.py:78 -msgid "Cannot disable systemd target {name!s}." -msgstr "無法停用 systemd 目標 {name!s}。" +#: src/modules/displaymanager/main.py:670 +msgid "LightDM config file {!s} does not exist" +msgstr "LightDM 設定檔 {!s} 不存在" -#: src/modules/services-systemd/main.py:80 -msgid "Cannot mask systemd unit {name!s}." -msgstr "無法 mask systemd 單位 {name!s}。" +#: src/modules/displaymanager/main.py:744 +msgid "Cannot configure LightDM" +msgstr "無法設定 LightDM" -#: src/modules/services-systemd/main.py:82 -msgid "" -"Unknown systemd commands {command!s} and " -"{suffix!s} for unit {name!s}." -msgstr "" -"未知的 systemd 指令 {command!s}{suffix!s} 給單位 " -"{name!s}。" +#: src/modules/displaymanager/main.py:745 +msgid "No LightDM greeter installed." +msgstr "未安裝 LightDM greeter。" -#: src/modules/dummypython/main.py:44 -msgid "Dummy python job." -msgstr "假的 python 工作。" +#: src/modules/displaymanager/main.py:776 +msgid "Cannot write SLIM configuration file" +msgstr "無法寫入 SLIM 設定檔" -#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 -#: src/modules/dummypython/main.py:103 -msgid "Dummy python step {}" -msgstr "假的 python step {}" +#: src/modules/displaymanager/main.py:777 +msgid "SLIM config file {!s} does not exist" +msgstr "SLIM 設定檔 {!s} 不存在" -#: src/modules/bootloader/main.py:51 -msgid "Install bootloader." -msgstr "安裝開機載入程式。" +#: src/modules/displaymanager/main.py:903 +msgid "No display managers selected for the displaymanager module." +msgstr "未在顯示管理器模組中選取顯示管理器。" -#: src/modules/localecfg/main.py:39 -msgid "Configuring locales." -msgstr "正在設定語系。" +#: src/modules/displaymanager/main.py:904 +msgid "" +"The displaymanagers list is empty or undefined in bothglobalstorage and " +"displaymanager.conf." +msgstr "顯示管理器清單為空或在全域儲存與 displaymanager.conf 中皆未定義。" -#: src/modules/mount/main.py:38 -msgid "Mounting partitions." -msgstr "正在掛載分割區。" +#: src/modules/displaymanager/main.py:986 +msgid "Display manager configuration was incomplete" +msgstr "顯示管理器設定不完整" -#: src/modules/plymouthcfg/main.py:36 -msgid "Configure Plymouth theme" -msgstr "設定 Plymouth 主題" +#: src/modules/initcpiocfg/main.py:37 +msgid "Configuring mkinitcpio." +msgstr "正在設定 mkinitcpio。" + +#: src/modules/initcpiocfg/main.py:210 +#: src/modules/luksopenswaphookcfg/main.py:100 +#: src/modules/initramfscfg/main.py:99 src/modules/openrcdmcryptcfg/main.py:83 +#: src/modules/fstab/main.py:339 src/modules/localecfg/main.py:145 +#: src/modules/networkcfg/main.py:49 +msgid "No root mount point is given for
{!s}
to use." +msgstr "沒有給定的根掛載點
{!s}
以供使用。" #: src/modules/luksopenswaphookcfg/main.py:35 msgid "Configuring encrypted swap." msgstr "正在設定已加密的 swap。" -#: src/modules/fstab/main.py:38 -msgid "Writing fstab." -msgstr "正在寫入 fstab。" +#: src/modules/rawfs/main.py:35 +msgid "Installing data." +msgstr "正在安裝資料。" #: src/modules/services-openrc/main.py:38 msgid "Configure OpenRC services" @@ -258,6 +268,40 @@ msgid "" "exist." msgstr "服務 {name!s} 的路徑為 {path!s},不存在。" +#: src/modules/plymouthcfg/main.py:36 +msgid "Configure Plymouth theme" +msgstr "設定 Plymouth 主題" + +#: src/modules/packages/main.py:59 src/modules/packages/main.py:68 +#: src/modules/packages/main.py:78 +msgid "Install packages." +msgstr "安裝軟體包。" + +#: src/modules/packages/main.py:66 +#, python-format +msgid "Processing packages (%(count)d / %(total)d)" +msgstr "正在處理軟體包 (%(count)d / %(total)d)" + +#: src/modules/packages/main.py:71 +#, python-format +msgid "Installing one package." +msgid_plural "Installing %(num)d packages." +msgstr[0] "正在安裝 %(num)d 軟體包。" + +#: src/modules/packages/main.py:74 +#, python-format +msgid "Removing one package." +msgid_plural "Removing %(num)d packages." +msgstr[0] "正在移除 %(num)d 軟體包。" + +#: src/modules/bootloader/main.py:51 +msgid "Install bootloader." +msgstr "安裝開機載入程式。" + +#: src/modules/hwclock/main.py:35 +msgid "Setting hardware clock." +msgstr "正在設定硬體時鐘。" + #: src/modules/dracut/main.py:36 msgid "Creating initramfs with dracut." msgstr "正在使用 dracut 建立 initramfs。" @@ -270,72 +314,31 @@ msgstr "在目標上執行 dracut 失敗" msgid "The exit code was {}" msgstr "結束碼為 {}" -#: src/modules/grubcfg/main.py:37 -msgid "Configure GRUB." -msgstr "設定 GRUB。" - -#: src/modules/displaymanager/main.py:515 -msgid "Cannot write KDM configuration file" -msgstr "無法寫入 KDM 設定檔" - -#: src/modules/displaymanager/main.py:516 -msgid "KDM config file {!s} does not exist" -msgstr "KDM 設定檔 {!s} 不存在" - -#: src/modules/displaymanager/main.py:577 -msgid "Cannot write LXDM configuration file" -msgstr "無法寫入 LXDM 設定檔" - -#: src/modules/displaymanager/main.py:578 -msgid "LXDM config file {!s} does not exist" -msgstr "LXDM 設定檔 {!s} 不存在" - -#: src/modules/displaymanager/main.py:661 -msgid "Cannot write LightDM configuration file" -msgstr "無法寫入 LightDM 設定檔" - -#: src/modules/displaymanager/main.py:662 -msgid "LightDM config file {!s} does not exist" -msgstr "LightDM 設定檔 {!s} 不存在" - -#: src/modules/displaymanager/main.py:736 -msgid "Cannot configure LightDM" -msgstr "無法設定 LightDM" - -#: src/modules/displaymanager/main.py:737 -msgid "No LightDM greeter installed." -msgstr "未安裝 LightDM greeter。" - -#: src/modules/displaymanager/main.py:768 -msgid "Cannot write SLIM configuration file" -msgstr "無法寫入 SLIM 設定檔" - -#: src/modules/displaymanager/main.py:769 -msgid "SLIM config file {!s} does not exist" -msgstr "SLIM 設定檔 {!s} 不存在" +#: src/modules/initramfscfg/main.py:41 +msgid "Configuring initramfs." +msgstr "正在設定 initramfs。" -#: src/modules/displaymanager/main.py:895 -msgid "No display managers selected for the displaymanager module." -msgstr "未在顯示管理器模組中選取顯示管理器。" +#: src/modules/openrcdmcryptcfg/main.py:34 +msgid "Configuring OpenRC dmcrypt service." +msgstr "正在設定 OpenRC dmcrypt 服務。" -#: src/modules/displaymanager/main.py:896 -msgid "" -"The displaymanagers list is empty or undefined in bothglobalstorage and " -"displaymanager.conf." -msgstr "顯示管理器清單為空或在全域儲存與 displaymanager.conf 中皆未定義。" +#: src/modules/fstab/main.py:38 +msgid "Writing fstab." +msgstr "正在寫入 fstab。" -#: src/modules/displaymanager/main.py:978 -msgid "Display manager configuration was incomplete" -msgstr "顯示管理器設定不完整" +#: src/modules/dummypython/main.py:44 +msgid "Dummy python job." +msgstr "假的 python 工作。" -#: src/modules/initramfscfg/main.py:41 -msgid "Configuring initramfs." -msgstr "正在設定 initramfs。" +#: src/modules/dummypython/main.py:46 src/modules/dummypython/main.py:102 +#: src/modules/dummypython/main.py:103 +msgid "Dummy python step {}" +msgstr "假的 python step {}" -#: src/modules/hwclock/main.py:35 -msgid "Setting hardware clock." -msgstr "正在設定硬體時鐘。" +#: src/modules/localecfg/main.py:39 +msgid "Configuring locales." +msgstr "正在設定語系。" -#: src/modules/rawfs/main.py:35 -msgid "Installing data." -msgstr "正在安裝資料。" +#: src/modules/networkcfg/main.py:37 +msgid "Saving network configuration." +msgstr "正在儲存網路設定。" From 45970fee27d01dc9e628de1143e91574296edc6b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 22 Jun 2020 17:34:32 -0400 Subject: [PATCH 012/123] Changes: pre-release housekeeping - update the translations list, welcome Azerbaijani (in two variants) - this is a hotfix release due to UB --- CMakeLists.txt | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 6899c565c..5ed1d462b 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -46,10 +46,10 @@ # TODO:3.3: Require CMake 3.12 cmake_minimum_required( VERSION 3.3 FATAL_ERROR ) project( CALAMARES - VERSION 3.2.27 + VERSION 3.2.26.1 LANGUAGES C CXX ) -set( CALAMARES_VERSION_RC 1 ) # Set to 0 during release cycle, 1 during development +set( CALAMARES_VERSION_RC 0 ) # Set to 0 during release cycle, 1 during development ### OPTIONS # @@ -148,14 +148,14 @@ set( CALAMARES_DESCRIPTION_SUMMARY # copy these four lines to four backup lines, add "p", and then update # the original four lines with the current translations). # -# Total 62 languages -set( _tx_complete ca da fi_FI fr he hr ja lt sq tr_TR ) -set( _tx_good ast cs_CZ de es es_MX et gl hi hu id it_IT ko ml nl - pl pt_BR pt_PT ru sk zh_TW ) -set( _tx_ok ar as be bg el en_GB es_PR eu is mr nb ro sl sr - sr@latin sv th uk zh_CN ) -set( _tx_incomplete ca@valencia eo fa fr_CH gu kk kn lo mk ne_NP ur - uz ) +# Total 66 languages +set( _tx_complete az az_AZ ca he hi hr ja sq tr_TR uk zh_TW ) +set( _tx_good as ast be cs_CZ da de es fi_FI fr hu it_IT ko lt ml + nl pt_BR pt_PT ru sk sv zh_CN ) +set( _tx_ok ar bg el en_GB es_MX es_PR et eu fa gl id is mr nb pl + ro sl sr sr@latin th ) +set( _tx_incomplete bn ca@valencia eo fr_CH gu kk kn lo lv mk ne_NP + ur uz ) ### Required versions # From 4cdb6035800c91a00cd63c6c0340cacccdb81ed4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 10:43:49 +0200 Subject: [PATCH 013/123] Changes: pre-release housekeeping --- CHANGES | 22 ++++++++++++++++++++++ 1 file changed, 22 insertions(+) diff --git a/CHANGES b/CHANGES index 745afb289..cc8689e02 100644 --- a/CHANGES +++ b/CHANGES @@ -15,6 +15,28 @@ This release contains contributions from (alphabetically by first name): - No module changes yet + # 3.2.26.1 (2020-06-23) # + +This is a hotfix release for undefined behavior caused by an +uninitialized integer variable. It includes new translations +and features as well since those arrived independently. + +This release contains contributions from (alphabetically by first name): + - Anke Boersma + - Gaël PORTAY + +## Core ## + - Welcome to Azerbaijani translations. These are available + in two variations, *Azerbaijani* and *Azerbaijani (Azerbaijan)*. + [Wikipedia Azerbaijani](https://en.wikipedia.org/wiki/Azerbaijani_language#North_vs._South_Azerbaijani) + has a nice overview. + +## Modules ## + - *partitioning* has one case of undefined behavior (UB) due + to a missing integer-initialization. (Thanks Gaël) + - *keyboardq* QML module now works correctly. (Thanks Anke) + + # 3.2.26 (2020-06-18) # This release contains contributions from (alphabetically by first name): From b8e30e201fd941f084cf59335ffc80a79c22a972 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 10:45:11 +0200 Subject: [PATCH 014/123] CMake: drop reference to external os-* modules - The USE_* infrastructure is only **inside** the Calamares build tree (see `src/modules/CMakeLists.txt`) so there is no point in referring to external repositories. --- CMakeLists.txt | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 5ed1d462b..b653f0996 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -109,8 +109,7 @@ option( BUILD_SCHEMA_TESTING "Enable schema-validation-tests" ON ) # This defaults to *none* so that nothing gets picked up and nothing # is packaged -- you must explicitly set it to empty to get all of # the modules, but that hardly makes sense. Note, too that there -# are no os-* modules shipped with Calamares. They live in the -# *calamares-extensions* repository. +# are currently no os-* modules shipped with Calamares. set( USE_services "" CACHE STRING "Select the services module to use" ) set( USE_os "none" CACHE STRING "Select the OS-specific module to include" ) From d6b0583baddcfac405433299e3fa6fab04834d2d Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 11:08:55 +0200 Subject: [PATCH 015/123] [libcalamares] Compatibility-layer for QString::split - QString::split() api changed in 5.14, in 5.15 generates warnings, so introduce a compatibility value. --- src/libcalamares/utils/String.h | 23 ++++++++++++++++++++++- 1 file changed, 22 insertions(+), 1 deletion(-) diff --git a/src/libcalamares/utils/String.h b/src/libcalamares/utils/String.h index d4bd33357..26df00b07 100644 --- a/src/libcalamares/utils/String.h +++ b/src/libcalamares/utils/String.h @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2013-2016 Teo Mrnjavac * SPDX-FileCopyrightText: 2018 Adriaan de Groot * @@ -33,6 +33,27 @@ #include +/* Qt 5.14 changed the API to QString::split(), adding new overloads + * that take a different enum, then Qt 5.15 deprecated the old ones. + * To avoid overly-many warnings related to the API change, introduce + * Calamares-specific constants that pull from the correct enum. + */ +constexpr static const auto SplitSkipEmptyParts = +#if QT_VERSION < QT_VERSION_CHECK( 5, 14, 0 ) + QString::SkipEmptyParts +#else + Qt::SkipEmptyParts +#endif + ; + +constexpr static const auto SplitKeepEmptyParts = +#if QT_VERSION < QT_VERSION_CHECK( 5, 14, 0 ) + QString::KeepEmptyParts +#else + Qt::KeepEmptyParts +#endif + ; + /** * @brief The CalamaresUtils namespace contains utility functions. */ From 192263cf9d0d9692f1f07dfb9deac24b9e7b5b71 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 11:13:55 +0200 Subject: [PATCH 016/123] [libcalamares][modules] Use compatibility for QString::split() - Use the compatibility value, which has an enum value suitable for the Qt version in use. --- src/libcalamares/geoip/Interface.cpp | 5 +++-- src/libcalamares/locale/TimeZone.cpp | 9 +++++---- src/modules/keyboard/Config.cpp | 7 ++++--- src/modules/keyboard/KeyboardPage.cpp | 7 ++++--- src/modules/keyboard/SetKeyboardLayoutJob.cpp | 3 ++- src/modules/keyboard/keyboardwidget/keyboardpreview.cpp | 6 ++++-- src/modules/partition/jobs/ClearMountsJob.cpp | 2 +- src/modules/partition/jobs/ClearTempMountsJob.cpp | 2 +- 8 files changed, 24 insertions(+), 17 deletions(-) diff --git a/src/libcalamares/geoip/Interface.cpp b/src/libcalamares/geoip/Interface.cpp index 82acb7950..f8649f37a 100644 --- a/src/libcalamares/geoip/Interface.cpp +++ b/src/libcalamares/geoip/Interface.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2018 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -23,6 +23,7 @@ #include "Interface.h" #include "utils/Logger.h" +#include "utils/String.h" namespace CalamaresUtils { @@ -43,7 +44,7 @@ splitTZString( const QString& tz ) timezoneString.remove( '\\' ); timezoneString.replace( ' ', '_' ); - QStringList tzParts = timezoneString.split( '/', QString::SkipEmptyParts ); + QStringList tzParts = timezoneString.split( '/', SplitSkipEmptyParts ); if ( tzParts.size() >= 2 ) { cDebug() << "GeoIP reporting" << timezoneString; diff --git a/src/libcalamares/locale/TimeZone.cpp b/src/libcalamares/locale/TimeZone.cpp index 0c13a8c77..772a242fb 100644 --- a/src/libcalamares/locale/TimeZone.cpp +++ b/src/libcalamares/locale/TimeZone.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2019 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -23,6 +23,7 @@ #include "TimeZone.h" #include "utils/Logger.h" +#include "utils/String.h" #include #include @@ -156,19 +157,19 @@ TZRegion::fromFile( const char* fileName ) QTextStream in( &file ); while ( !in.atEnd() ) { - QString line = in.readLine().trimmed().split( '#', QString::KeepEmptyParts ).first().trimmed(); + QString line = in.readLine().trimmed().split( '#', SplitKeepEmptyParts ).first().trimmed(); if ( line.isEmpty() ) { continue; } - QStringList list = line.split( QRegExp( "[\t ]" ), QString::SkipEmptyParts ); + QStringList list = line.split( QRegExp( "[\t ]" ), SplitSkipEmptyParts ); if ( list.size() < 3 ) { continue; } - QStringList timezoneParts = list.at( 2 ).split( '/', QString::SkipEmptyParts ); + QStringList timezoneParts = list.at( 2 ).split( '/', SplitSkipEmptyParts ); if ( timezoneParts.size() < 2 ) { continue; diff --git a/src/modules/keyboard/Config.cpp b/src/modules/keyboard/Config.cpp index 06f7b3e81..64b253835 100644 --- a/src/modules/keyboard/Config.cpp +++ b/src/modules/keyboard/Config.cpp @@ -26,6 +26,7 @@ #include "JobQueue.h" #include "utils/Logger.h" #include "utils/Retranslator.h" +#include "utils/String.h" #include #include @@ -287,7 +288,7 @@ Config::init() if ( process.waitForFinished() ) { - const QStringList list = QString( process.readAll() ).split( "\n", QString::SkipEmptyParts ); + const QStringList list = QString( process.readAll() ).split( "\n", SplitSkipEmptyParts ); for ( QString line : list ) { @@ -300,7 +301,7 @@ Config::init() line = line.remove( "}" ).remove( "{" ).remove( ";" ); line = line.mid( line.indexOf( "\"" ) + 1 ); - QStringList split = line.split( "+", QString::SkipEmptyParts ); + QStringList split = line.split( "+", SplitSkipEmptyParts ); if ( split.size() >= 2 ) { currentLayout = split.at( 1 ); @@ -496,7 +497,7 @@ Config::onActivate() } if ( !lang.isEmpty() ) { - const auto langParts = lang.split( '_', QString::SkipEmptyParts ); + const auto langParts = lang.split( '_', SplitSkipEmptyParts ); // Note that this his string is not fit for display purposes! // It doesn't come from QLocale::nativeCountryName. diff --git a/src/modules/keyboard/KeyboardPage.cpp b/src/modules/keyboard/KeyboardPage.cpp index 43d116146..e8997b915 100644 --- a/src/modules/keyboard/KeyboardPage.cpp +++ b/src/modules/keyboard/KeyboardPage.cpp @@ -32,6 +32,7 @@ #include "JobQueue.h" #include "utils/Logger.h" #include "utils/Retranslator.h" +#include "utils/String.h" #include #include @@ -113,7 +114,7 @@ KeyboardPage::init() if ( process.waitForFinished() ) { - const QStringList list = QString( process.readAll() ).split( "\n", QString::SkipEmptyParts ); + const QStringList list = QString( process.readAll() ).split( "\n", SplitSkipEmptyParts ); for ( QString line : list ) { @@ -126,7 +127,7 @@ KeyboardPage::init() line = line.remove( "}" ).remove( "{" ).remove( ";" ); line = line.mid( line.indexOf( "\"" ) + 1 ); - QStringList split = line.split( "+", QString::SkipEmptyParts ); + QStringList split = line.split( "+", SplitSkipEmptyParts ); if ( split.size() >= 2 ) { currentLayout = split.at( 1 ); @@ -366,7 +367,7 @@ KeyboardPage::onActivate() } if ( !lang.isEmpty() ) { - const auto langParts = lang.split( '_', QString::SkipEmptyParts ); + const auto langParts = lang.split( '_', SplitSkipEmptyParts ); // Note that this his string is not fit for display purposes! // It doesn't come from QLocale::nativeCountryName. diff --git a/src/modules/keyboard/SetKeyboardLayoutJob.cpp b/src/modules/keyboard/SetKeyboardLayoutJob.cpp index 5223e8fae..537feeb8c 100644 --- a/src/modules/keyboard/SetKeyboardLayoutJob.cpp +++ b/src/modules/keyboard/SetKeyboardLayoutJob.cpp @@ -28,6 +28,7 @@ #include "JobQueue.h" #include "utils/CalamaresUtilsSystem.h" #include "utils/Logger.h" +#include "utils/String.h" #include #include @@ -104,7 +105,7 @@ SetKeyboardLayoutJob::findLegacyKeymap() const continue; } - QStringList mapping = line.split( '\t', QString::SkipEmptyParts ); + QStringList mapping = line.split( '\t', SplitSkipEmptyParts ); if ( mapping.size() < 5 ) { continue; diff --git a/src/modules/keyboard/keyboardwidget/keyboardpreview.cpp b/src/modules/keyboard/keyboardwidget/keyboardpreview.cpp index 26aa18d87..02ddd4186 100644 --- a/src/modules/keyboard/keyboardwidget/keyboardpreview.cpp +++ b/src/modules/keyboard/keyboardwidget/keyboardpreview.cpp @@ -21,9 +21,11 @@ * along with Calamares. If not, see . */ -#include "utils/Logger.h" #include "keyboardpreview.h" +#include "utils/Logger.h" +#include "utils/String.h" + KeyBoardPreview::KeyBoardPreview( QWidget* parent ) : QWidget( parent ) , layout( "us" ) @@ -129,7 +131,7 @@ bool KeyBoardPreview::loadCodes() { // Clear codes codes.clear(); - const QStringList list = QString(process.readAll()).split("\n", QString::SkipEmptyParts); + const QStringList list = QString(process.readAll()).split("\n", SplitSkipEmptyParts); for (const QString &line : list) { if (!line.startsWith("keycode") || !line.contains('=')) diff --git a/src/modules/partition/jobs/ClearMountsJob.cpp b/src/modules/partition/jobs/ClearMountsJob.cpp index 16d8d0d90..eb61c34d8 100644 --- a/src/modules/partition/jobs/ClearMountsJob.cpp +++ b/src/modules/partition/jobs/ClearMountsJob.cpp @@ -73,7 +73,7 @@ getPartitionsForDevice( const QString& deviceName ) { // The fourth column (index from 0, so index 3) is the name of the device; // keep it if it is followed by something. - QStringList columns = in.readLine().split( ' ', QString::SkipEmptyParts ); + QStringList columns = in.readLine().split( ' ', SplitSkipEmptyParts ); if ( ( columns.count() >= 4 ) && ( columns[ 3 ].startsWith( deviceName ) ) && ( columns[ 3 ] != deviceName ) ) { diff --git a/src/modules/partition/jobs/ClearTempMountsJob.cpp b/src/modules/partition/jobs/ClearTempMountsJob.cpp index ba6f2df2d..24f7c4d59 100644 --- a/src/modules/partition/jobs/ClearTempMountsJob.cpp +++ b/src/modules/partition/jobs/ClearTempMountsJob.cpp @@ -66,7 +66,7 @@ ClearTempMountsJob::exec() QString lineIn = in.readLine(); while ( !lineIn.isNull() ) { - QStringList line = lineIn.split( ' ', QString::SkipEmptyParts ); + QStringList line = lineIn.split( ' ', SplitSkipEmptyParts ); cDebug() << line.join( ' ' ); QString device = line.at( 0 ); QString mountPoint = line.at( 1 ); From 916c10816b9913c1f695ada703a788a75bbe54a2 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 12:29:18 +0200 Subject: [PATCH 017/123] [libcalamares] Logging-convenience for pointers - This reduces the amount of (void*) C-style casts in the code, and formats generic pointers more consistently. --- src/libcalamares/utils/Logger.h | 35 ++++++++++++++++++++++++++++++--- 1 file changed, 32 insertions(+), 3 deletions(-) diff --git a/src/libcalamares/utils/Logger.h b/src/libcalamares/utils/Logger.h index 69674bc68..2354155ed 100644 --- a/src/libcalamares/utils/Logger.h +++ b/src/libcalamares/utils/Logger.h @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2010-2011 Christian Muehlhaeuser * SPDX-FileCopyrightText: 2014 Teo Mrnjavac * SPDX-FileCopyrightText: 2017-2019 Adriaan de Groot @@ -37,8 +37,12 @@ struct FuncSuppressor const char* m_s; }; -struct NoQuote {}; -struct Quote {}; +struct NoQuote +{ +}; +struct Quote +{ +}; DLLEXPORT extern const FuncSuppressor Continuation; DLLEXPORT extern const FuncSuppressor SubEntry; @@ -206,6 +210,24 @@ public: const QVariantMap& map; }; +/** + * @brief Formatted logging of a pointer + * + * Pointers are printed as void-pointer, so just an address (unlike, say, + * QObject pointers which show an address and some metadata) preceded + * by an '@'. This avoids C-style (void*) casts in the code. + */ +struct Pointer +{ +public: + explicit Pointer( void* p ) + : ptr( p ) + { + } + + const void* ptr; +}; + /** @brief output operator for DebugRow */ template < typename T, typename U > inline QDebug& @@ -240,6 +262,13 @@ operator<<( QDebug& s, const DebugMap& t ) } return s; } + +inline QDebug& +operator<<( QDebug& s, const Pointer& p ) +{ + s << NoQuote {} << '@' << p.ptr << Quote {}; + return s; +} } // namespace Logger #define cDebug() Logger::CDebug( Logger::LOGDEBUG, Q_FUNC_INFO ) From 8a14316e164cb90094a9dbcd498810af89f23674 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 12:56:35 +0200 Subject: [PATCH 018/123] [calamares] be less chatty in startup - without the SubEntry part, the function name is printed each time. --- src/calamares/CalamaresApplication.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/calamares/CalamaresApplication.cpp b/src/calamares/CalamaresApplication.cpp index 43a48881c..d337f774c 100644 --- a/src/calamares/CalamaresApplication.cpp +++ b/src/calamares/CalamaresApplication.cpp @@ -76,7 +76,7 @@ CalamaresApplication::init() { Logger::setupLogfile(); cDebug() << "Calamares version:" << CALAMARES_VERSION; - cDebug() << " languages:" << QString( CALAMARES_TRANSLATION_LANGUAGES ).replace( ";", ", " ); + cDebug() << Logger::SubEntry << " languages:" << QString( CALAMARES_TRANSLATION_LANGUAGES ).replace( ";", ", " ); if ( !Calamares::Settings::instance() ) { @@ -91,11 +91,11 @@ CalamaresApplication::init() setQuitOnLastWindowClosed( false ); setWindowIcon( QIcon( Calamares::Branding::instance()->imagePath( Calamares::Branding::ProductIcon ) ) ); - cDebug() << "STARTUP: initSettings, initQmlPath, initBranding done"; + cDebug() << Logger::SubEntry << "STARTUP: initSettings, initQmlPath, initBranding done"; initModuleManager(); //also shows main window - cDebug() << "STARTUP: initModuleManager: module init started"; + cDebug() << Logger::SubEntry << "STARTUP: initModuleManager: module init started"; } From 22fdca8f44749c8b1957bffc5e3764c49173b5e5 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 13:02:06 +0200 Subject: [PATCH 019/123] [libcalamares] Use Logger::Pointer for logging void-pointers --- src/libcalamares/partition/KPMManager.cpp | 4 ++-- src/libcalamaresui/modulesystem/ModuleManager.cpp | 2 +- src/modules/partition/core/PartUtils.cpp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/src/libcalamares/partition/KPMManager.cpp b/src/libcalamares/partition/KPMManager.cpp index 964b87859..00b4a6491 100644 --- a/src/libcalamares/partition/KPMManager.cpp +++ b/src/libcalamares/partition/KPMManager.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2019 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -74,7 +74,7 @@ InternalManager::InternalManager() else { auto* backend_p = CoreBackendManager::self()->backend(); - cDebug() << Logger::SubEntry << "Backend @" << (void*)backend_p << backend_p->id() << backend_p->version(); + cDebug() << Logger::SubEntry << "Backend" << Logger::Pointer(backend_p) << backend_p->id() << backend_p->version(); s_kpm_loaded = true; } } diff --git a/src/libcalamaresui/modulesystem/ModuleManager.cpp b/src/libcalamaresui/modulesystem/ModuleManager.cpp index 0b83e4d9b..23df7ce8a 100644 --- a/src/libcalamaresui/modulesystem/ModuleManager.cpp +++ b/src/libcalamaresui/modulesystem/ModuleManager.cpp @@ -344,7 +344,7 @@ ModuleManager::addModule( Module *module ) } if ( !module->instanceKey().isValid() ) { - cWarning() << "Module" << module->location() << '@' << (void*)module << "has invalid instance key."; + cWarning() << "Module" << module->location() << Logger::Pointer(module) << "has invalid instance key."; return false; } if ( !checkModuleDependencies( *module ) ) diff --git a/src/modules/partition/core/PartUtils.cpp b/src/modules/partition/core/PartUtils.cpp index 4cc59d518..4dd3dcbf3 100644 --- a/src/modules/partition/core/PartUtils.cpp +++ b/src/modules/partition/core/PartUtils.cpp @@ -459,7 +459,7 @@ isEfiBootable( const Partition* candidate ) while ( root && !root->isRoot() ) { root = root->parent(); - cDebug() << Logger::SubEntry << "moved towards root" << (void*)root; + cDebug() << Logger::SubEntry << "moved towards root" << Logger::Pointer(root); } // Strange case: no root found, no partition table node? @@ -469,7 +469,7 @@ isEfiBootable( const Partition* candidate ) } const PartitionTable* table = dynamic_cast< const PartitionTable* >( root ); - cDebug() << Logger::SubEntry << "partition table" << (void*)table << "type" + cDebug() << Logger::SubEntry << "partition table" << Logger::Pointer(table) << "type" << ( table ? table->type() : PartitionTable::TableType::unknownTableType ); return table && ( table->type() == PartitionTable::TableType::gpt ) && flags.testFlag( KPM_PARTITION_FLAG( Boot ) ); } From daf9451e6987883dab28da568d01e45435ba0d7f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 13:16:56 +0200 Subject: [PATCH 020/123] [welcome] Warnings-- --- src/modules/welcome/checker/GeneralRequirements.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/modules/welcome/checker/GeneralRequirements.cpp b/src/modules/welcome/checker/GeneralRequirements.cpp index ba6ebe89f..e7994f9a0 100644 --- a/src/modules/welcome/checker/GeneralRequirements.cpp +++ b/src/modules/welcome/checker/GeneralRequirements.cpp @@ -358,7 +358,7 @@ GeneralRequirements::checkEnoughRam( qint64 requiredRam ) // Ignore the guesstimate-factor; we get an under-estimate // which is probably the usable RAM for programs. quint64 availableRam = CalamaresUtils::System::instance()->getTotalMemoryB().first; - return availableRam >= requiredRam * 0.95; // because MemTotal is variable + return double(availableRam) >= double(requiredRam) * 0.95; // cast to silence 64-bit-int conversion to double } From 0bede0692ab319971e73d953f12a292aefe08247 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 13:18:30 +0200 Subject: [PATCH 021/123] [locale] Warnings-- on static_cast with no message --- src/modules/locale/timezonewidget/TimeZoneImage.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/modules/locale/timezonewidget/TimeZoneImage.cpp b/src/modules/locale/timezonewidget/TimeZoneImage.cpp index eec939905..a60c9b7d7 100644 --- a/src/modules/locale/timezonewidget/TimeZoneImage.cpp +++ b/src/modules/locale/timezonewidget/TimeZoneImage.cpp @@ -36,7 +36,7 @@ static_assert( TimeZoneImageList::zoneCount == ( sizeof( zoneNames ) / sizeof( z /* static constexpr */ const int TimeZoneImageList::zoneCount; /* static constexpr */ const QSize TimeZoneImageList::imageSize; -static_assert( TimeZoneImageList::zoneCount == 37 ); +static_assert( TimeZoneImageList::zoneCount == 37, "Incorrect number of zones" ); TimeZoneImageList::TimeZoneImageList() {} From 1dfb25372bd8f9a8df3e74624ef7fa2eac9181b4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 13:37:56 +0200 Subject: [PATCH 022/123] [tracking] Warnings-reduction - Give classes a virtual destructor that need them - Remove spurious ; - Refactor addJobs() because that doesn't need to be in a class - Remove redundant intermediate base-classes --- src/modules/tracking/Config.cpp | 6 + src/modules/tracking/Config.h | 5 +- src/modules/tracking/TrackingJobs.cpp | 128 +++++++++++----------- src/modules/tracking/TrackingJobs.h | 36 ++---- src/modules/tracking/TrackingViewStep.cpp | 6 +- 5 files changed, 87 insertions(+), 94 deletions(-) diff --git a/src/modules/tracking/Config.cpp b/src/modules/tracking/Config.cpp index 6d9dbb10b..9e8179905 100644 --- a/src/modules/tracking/Config.cpp +++ b/src/modules/tracking/Config.cpp @@ -112,6 +112,8 @@ InstallTrackingConfig::InstallTrackingConfig( QObject* parent ) setObjectName( "InstallTrackingConfig" ); } +InstallTrackingConfig::~InstallTrackingConfig() {} + void InstallTrackingConfig::setConfigurationMap( const QVariantMap& configurationMap ) { @@ -127,6 +129,8 @@ MachineTrackingConfig::MachineTrackingConfig( QObject* parent ) setObjectName( "MachineTrackingConfig" ); } +MachineTrackingConfig::~MachineTrackingConfig() {} + /** @brief Is @p s a valid machine-tracking style. */ static bool isValidMachineTrackingStyle( const QString& s ) @@ -151,6 +155,8 @@ UserTrackingConfig::UserTrackingConfig( QObject* parent ) setObjectName( "UserTrackingConfig" ); } +UserTrackingConfig::~UserTrackingConfig() {} + static bool isValidUserTrackingStyle( const QString& s ) { diff --git a/src/modules/tracking/Config.h b/src/modules/tracking/Config.h index fb279ea93..ad7d1d4f2 100644 --- a/src/modules/tracking/Config.h +++ b/src/modules/tracking/Config.h @@ -55,7 +55,7 @@ public: DisabledByUser, EnabledByUser }; - Q_ENUM( TrackingState ); + Q_ENUM( TrackingState ) public Q_SLOTS: TrackingState tracking() const { return m_state; } @@ -106,6 +106,7 @@ class InstallTrackingConfig : public TrackingStyleConfig { public: InstallTrackingConfig( QObject* parent ); + ~InstallTrackingConfig() override; void setConfigurationMap( const QVariantMap& configurationMap ); QString installTrackingUrl() { return m_installTrackingUrl; } @@ -125,6 +126,7 @@ class MachineTrackingConfig : public TrackingStyleConfig { public: MachineTrackingConfig( QObject* parent ); + ~MachineTrackingConfig() override; void setConfigurationMap( const QVariantMap& configurationMap ); QString machineTrackingStyle() { return m_machineTrackingStyle; } @@ -146,6 +148,7 @@ class UserTrackingConfig : public TrackingStyleConfig { public: UserTrackingConfig( QObject* parent ); + ~UserTrackingConfig() override; void setConfigurationMap( const QVariantMap& configurationMap ); QString userTrackingStyle() { return m_userTrackingStyle; } diff --git a/src/modules/tracking/TrackingJobs.cpp b/src/modules/tracking/TrackingJobs.cpp index 2087804ec..00ef06e10 100644 --- a/src/modules/tracking/TrackingJobs.cpp +++ b/src/modules/tracking/TrackingJobs.cpp @@ -78,41 +78,7 @@ TrackingInstallJob::exec() return Calamares::JobResult::ok(); } -void -TrackingInstallJob::addJob( Calamares::JobList& list, InstallTrackingConfig* config ) -{ - if ( config->isEnabled() ) - { - const auto* s = CalamaresUtils::System::instance(); - QHash< QString, QString > map { std::initializer_list< std::pair< QString, QString > > { - { QStringLiteral( "CPU" ), s->getCpuDescription() }, - { QStringLiteral( "MEMORY" ), QString::number( s->getTotalMemoryB().first ) }, - { QStringLiteral( "DISK" ), QString::number( s->getTotalDiskB() ) } } }; - QString installUrl = KMacroExpander::expandMacros( config->installTrackingUrl(), map ); - - cDebug() << Logger::SubEntry << "install-tracking URL" << installUrl; - - list.append( Calamares::job_ptr( new TrackingInstallJob( installUrl ) ) ); - } -} - -void -TrackingMachineJob::addJob( Calamares::JobList& list, MachineTrackingConfig* config ) -{ - if ( config->isEnabled() ) - { - const auto style = config->machineTrackingStyle(); - if ( style == "updatemanager" ) - { - list.append( Calamares::job_ptr( new TrackingMachineUpdateManagerJob() ) ); - } - else - { - cWarning() << "Unsupported machine tracking style" << style; - } - } -} - +TrackingMachineUpdateManagerJob::~TrackingMachineUpdateManagerJob() {} QString TrackingMachineUpdateManagerJob::prettyName() const @@ -163,39 +129,14 @@ TrackingMachineUpdateManagerJob::exec() } } -void -TrackingUserJob::addJob( Calamares::JobList& list, UserTrackingConfig* config ) -{ - if ( config->isEnabled() ) - { - const auto* gs = Calamares::JobQueue::instance()->globalStorage(); - static const auto key = QStringLiteral( "username" ); - QString username = ( gs && gs->contains( key ) ) ? gs->value( key ).toString() : QString(); - - if ( username.isEmpty() ) - { - cWarning() << "No username is set in GlobalStorage, skipping user-tracking."; - return; - } - - const auto style = config->userTrackingStyle(); - if ( style == "kuserfeedback" ) - { - list.append( Calamares::job_ptr( new TrackingKUserFeedbackJob( username, config->userTrackingAreas() ) ) ); - } - else - { - cWarning() << "Unsupported user tracking style" << style; - } - } -} - TrackingKUserFeedbackJob::TrackingKUserFeedbackJob( const QString& username, const QStringList& areas ) : m_username( username ) , m_areas( areas ) { } +TrackingKUserFeedbackJob::~TrackingKUserFeedbackJob() {} + QString TrackingKUserFeedbackJob::prettyName() const { @@ -246,3 +187,66 @@ FeedbackLevel=16 return Calamares::JobResult::ok(); } + +void +addJob( Calamares::JobList& list, InstallTrackingConfig* config ) +{ + if ( config->isEnabled() ) + { + const auto* s = CalamaresUtils::System::instance(); + QHash< QString, QString > map { std::initializer_list< std::pair< QString, QString > > { + { QStringLiteral( "CPU" ), s->getCpuDescription() }, + { QStringLiteral( "MEMORY" ), QString::number( s->getTotalMemoryB().first ) }, + { QStringLiteral( "DISK" ), QString::number( s->getTotalDiskB() ) } } }; + QString installUrl = KMacroExpander::expandMacros( config->installTrackingUrl(), map ); + + cDebug() << Logger::SubEntry << "install-tracking URL" << installUrl; + + list.append( Calamares::job_ptr( new TrackingInstallJob( installUrl ) ) ); + } +} + +void +addJob( Calamares::JobList& list, MachineTrackingConfig* config ) +{ + if ( config->isEnabled() ) + { + const auto style = config->machineTrackingStyle(); + if ( style == "updatemanager" ) + { + list.append( Calamares::job_ptr( new TrackingMachineUpdateManagerJob() ) ); + } + else + { + cWarning() << "Unsupported machine tracking style" << style; + } + } +} + + +void +addJob( Calamares::JobList& list, UserTrackingConfig* config ) +{ + if ( config->isEnabled() ) + { + const auto* gs = Calamares::JobQueue::instance()->globalStorage(); + static const auto key = QStringLiteral( "username" ); + QString username = ( gs && gs->contains( key ) ) ? gs->value( key ).toString() : QString(); + + if ( username.isEmpty() ) + { + cWarning() << "No username is set in GlobalStorage, skipping user-tracking."; + return; + } + + const auto style = config->userTrackingStyle(); + if ( style == "kuserfeedback" ) + { + list.append( Calamares::job_ptr( new TrackingKUserFeedbackJob( username, config->userTrackingAreas() ) ) ); + } + else + { + cWarning() << "Unsupported user tracking style" << style; + } + } +} diff --git a/src/modules/tracking/TrackingJobs.h b/src/modules/tracking/TrackingJobs.h index c65c8f621..38349515a 100644 --- a/src/modules/tracking/TrackingJobs.h +++ b/src/modules/tracking/TrackingJobs.h @@ -58,53 +58,28 @@ public: QString prettyStatusMessage() const override; Calamares::JobResult exec() override; - static void addJob( Calamares::JobList& list, InstallTrackingConfig* config ); - private: const QString m_url; }; -/** @brief Base class for machine-tracking jobs - * - * Machine-tracking configuraiton depends on the distro / style of machine - * being tracked, so it has subclasses to switch on the relevant kind - * of tracking. A machine is tracked persistently. - */ -class TrackingMachineJob : public Calamares::Job -{ -public: - static void addJob( Calamares::JobList& list, MachineTrackingConfig* config ); -}; - /** @brief Tracking machines, update-manager style * * The machine has a machine-id, and this is sed(1)'ed into the * update-manager configuration, to report the machine-id back * to distro servers. */ -class TrackingMachineUpdateManagerJob : public TrackingMachineJob +class TrackingMachineUpdateManagerJob : public Calamares::Job { Q_OBJECT public: + ~TrackingMachineUpdateManagerJob() override; + QString prettyName() const override; QString prettyDescription() const override; QString prettyStatusMessage() const override; Calamares::JobResult exec() override; }; -/** @brief Base class for user-tracking jobs - * - * User-tracking configuration depends on the distro / style of user - * tracking being implemented, so there are subclasses to switch on the - * relevant kind of tracking. Users are tracked persistently (the user - * can of course configure the tracking again once the system is restarted). - */ -class TrackingUserJob : public Calamares::Job -{ -public: - static void addJob( Calamares::JobList& list, UserTrackingConfig* config ); -}; - /** @brief Turn on KUserFeedback in target system * * This writes suitable files for turning on KUserFeedback for the @@ -115,6 +90,7 @@ class TrackingKUserFeedbackJob : public Calamares::Job { public: TrackingKUserFeedbackJob( const QString& username, const QStringList& areas ); + ~TrackingKUserFeedbackJob() override; QString prettyName() const override; QString prettyDescription() const override; @@ -126,4 +102,8 @@ private: QStringList m_areas; }; +void addJob( Calamares::JobList& list, InstallTrackingConfig* config ); +void addJob( Calamares::JobList& list, MachineTrackingConfig* config ); +void addJob( Calamares::JobList& list, UserTrackingConfig* config ); + #endif diff --git a/src/modules/tracking/TrackingViewStep.cpp b/src/modules/tracking/TrackingViewStep.cpp index 8a80b2b57..da5d9108d 100644 --- a/src/modules/tracking/TrackingViewStep.cpp +++ b/src/modules/tracking/TrackingViewStep.cpp @@ -109,9 +109,9 @@ TrackingViewStep::jobs() const cDebug() << "Creating tracking jobs .."; Calamares::JobList l; - TrackingInstallJob::addJob( l, m_config->installTracking() ); - TrackingMachineJob::addJob( l, m_config->machineTracking() ); - TrackingUserJob::addJob( l, m_config->userTracking() ); + addJob( l, m_config->installTracking() ); + addJob( l, m_config->machineTracking() ); + addJob( l, m_config->userTracking() ); cDebug() << Logger::SubEntry << l.count() << "jobs queued."; return l; } From 3ee53435c59f1ba35e065c9d72f829cd33031b3a Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 14:30:12 +0200 Subject: [PATCH 023/123] [libcalamares] Fix constness issue (gcc reported) --- src/libcalamares/utils/Logger.h | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/libcalamares/utils/Logger.h b/src/libcalamares/utils/Logger.h index 2354155ed..91b2113b6 100644 --- a/src/libcalamares/utils/Logger.h +++ b/src/libcalamares/utils/Logger.h @@ -220,12 +220,12 @@ public: struct Pointer { public: - explicit Pointer( void* p ) + explicit Pointer( const void* p ) : ptr( p ) { } - const void* ptr; + const void* const ptr; }; /** @brief output operator for DebugRow */ From c3ff9edfa247533eafb1e321a95a6f6bee8a96fc Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 14:43:26 +0200 Subject: [PATCH 024/123] [tracking] Add a test executable - just a stub, hardly tests useful functionality --- src/modules/tracking/CMakeLists.txt | 6 +++ src/modules/tracking/Tests.cpp | 60 +++++++++++++++++++++++++++++ 2 files changed, 66 insertions(+) create mode 100644 src/modules/tracking/Tests.cpp diff --git a/src/modules/tracking/CMakeLists.txt b/src/modules/tracking/CMakeLists.txt index 11ccdb00b..894663426 100644 --- a/src/modules/tracking/CMakeLists.txt +++ b/src/modules/tracking/CMakeLists.txt @@ -15,3 +15,9 @@ calamares_add_plugin( tracking SHARED_LIB ) +calamares_add_test( + trackingtest + SOURCES + Tests.cpp + Config.cpp +) diff --git a/src/modules/tracking/Tests.cpp b/src/modules/tracking/Tests.cpp new file mode 100644 index 000000000..b7ed57ab1 --- /dev/null +++ b/src/modules/tracking/Tests.cpp @@ -0,0 +1,60 @@ +/* === This file is part of Calamares - === + * + * SPDX-FileCopyrightText: 2020 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * License-Filename: LICENSE + */ + +#include "Config.h" + +#include "utils/Logger.h" + +#include +#include + +class TrackingTests : public QObject +{ + Q_OBJECT +public: + TrackingTests(); + ~TrackingTests() override; + +private Q_SLOTS: + void initTestCase(); + void testEmptyConfig(); +}; + +TrackingTests::TrackingTests() + : QObject() +{ +} + +TrackingTests::~TrackingTests() +{ +} + +void TrackingTests::initTestCase() +{ + Logger::setupLogLevel( Logger::LOGDEBUG ); + cDebug() << "Tracking test started."; +} + +void TrackingTests::testEmptyConfig() +{ + Logger::setupLogLevel( Logger::LOGDEBUG ); + + Config* c = new Config; + QVERIFY( c->generalPolicy().isEmpty() ); + QVERIFY( c->installTracking() ); // not-nullptr + + cDebug() << "Install" << Logger::Pointer( c->installTracking() ); + + delete c; // also deletes the owned tracking-configs +} + + +QTEST_GUILESS_MAIN( TrackingTests ) + +#include "utils/moc-warnings.h" + +#include "Tests.moc" From e206eb086b99faf4708be7137810aadb71267890 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 17:05:08 +0200 Subject: [PATCH 025/123] [partition] Missing includes for Qt-compatibility --- src/modules/partition/jobs/ClearMountsJob.cpp | 1 + src/modules/partition/jobs/ClearTempMountsJob.cpp | 5 ++--- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/src/modules/partition/jobs/ClearMountsJob.cpp b/src/modules/partition/jobs/ClearMountsJob.cpp index eb61c34d8..29f00ebd2 100644 --- a/src/modules/partition/jobs/ClearMountsJob.cpp +++ b/src/modules/partition/jobs/ClearMountsJob.cpp @@ -25,6 +25,7 @@ #include "partition/PartitionIterator.h" #include "partition/Sync.h" #include "utils/Logger.h" +#include "utils/String.h" // KPMcore #include diff --git a/src/modules/partition/jobs/ClearTempMountsJob.cpp b/src/modules/partition/jobs/ClearTempMountsJob.cpp index 24f7c4d59..cf2c71f0c 100644 --- a/src/modules/partition/jobs/ClearTempMountsJob.cpp +++ b/src/modules/partition/jobs/ClearTempMountsJob.cpp @@ -19,16 +19,15 @@ #include "ClearTempMountsJob.h" #include "utils/Logger.h" +#include "utils/String.h" -#include - -// KPMcore #include #include #include #include +#include ClearTempMountsJob::ClearTempMountsJob() : Calamares::Job() From e113c8cc9b89d3dfd118d3363a86ad689e08b321 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 17:05:25 +0200 Subject: [PATCH 026/123] Changes: fixup announcement --- CHANGES | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGES b/CHANGES index cc8689e02..49e020363 100644 --- a/CHANGES +++ b/CHANGES @@ -15,7 +15,7 @@ This release contains contributions from (alphabetically by first name): - No module changes yet - # 3.2.26.1 (2020-06-23) # +# 3.2.26.1 (2020-06-23) # This is a hotfix release for undefined behavior caused by an uninitialized integer variable. It includes new translations @@ -30,6 +30,7 @@ This release contains contributions from (alphabetically by first name): in two variations, *Azerbaijani* and *Azerbaijani (Azerbaijan)*. [Wikipedia Azerbaijani](https://en.wikipedia.org/wiki/Azerbaijani_language#North_vs._South_Azerbaijani) has a nice overview. + - Warnings while building with Qt 5.15 have been much reduced. ## Modules ## - *partitioning* has one case of undefined behavior (UB) due From a4f9ac9aeaaf9388a214d651e9022aa73b5c20c9 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 23 Jun 2020 17:17:45 +0200 Subject: [PATCH 027/123] CI: update signing key The signing key expired some time ago, and while I made a new signing key, there's no indication that a different key is being used. Update the ID for future signatures. --- ci/RELEASE.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/ci/RELEASE.sh b/ci/RELEASE.sh index ed1669ef7..69aaec0be 100755 --- a/ci/RELEASE.sh +++ b/ci/RELEASE.sh @@ -119,7 +119,7 @@ test -n "$V" || { echo "Could not obtain version in $BUILDDIR." ; exit 1 ; } # # This is the signing key ID associated with the GitHub account adriaandegroot, # which is used to create all "verified" tags in the Calamares repo. -KEY_ID="128F00873E05AF1D" +KEY_ID="61A7D26277E4D0DB" git tag -u "$KEY_ID" -m "Release v$V" "v$V" || { echo "Could not sign tag v$V." ; exit 1 ; } ### Create the tarball From 8a9e85db71cce9fade23fd17deaafe671cea8d2a Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 04:53:22 -0400 Subject: [PATCH 028/123] Branding: shuffle around a bit, expand documentation --- src/branding/default/branding.desc | 63 ++++++++++++++++++++++-------- 1 file changed, 46 insertions(+), 17 deletions(-) diff --git a/src/branding/default/branding.desc b/src/branding/default/branding.desc index f8cc88295..fc0a16f7e 100644 --- a/src/branding/default/branding.desc +++ b/src/branding/default/branding.desc @@ -7,6 +7,12 @@ --- componentName: default + +### WELCOME / OVERALL WORDING +# +# These settings affect some overall phrasing and looks, +# which are most visible in the welcome page. + # This selects between different welcome texts. When false, uses # the traditional "Welcome to the %1 installer.", and when true, # uses "Welcome to the Calamares installer for %1." This allows @@ -20,6 +26,12 @@ welcomeStyleCalamares: false # may have surprising effects on HiDPI monitors). welcomeExpandingLogo: true +### WINDOW CONFIGURATION +# +# The settings here affect the placement of the Calamares +# window through hints to the window manager and initial +# sizing of the Calamares window. + # Size and expansion policy for Calamares. # - "normal" or unset, expand as needed, use *windowSize* # - "fullscreen", start as large as possible, ignore *windowSize* @@ -41,6 +53,14 @@ windowSize: 800px,520px # *windowExpanding* set to "fullscreen"). windowPlacement: center +### PANELS CONFIGURATION +# +# Calamares has a main content area, and two panels (navigation +# and progress / sidebar). The panels can be controlled individually, +# or switched off. If both panels are switched off, the layout of +# the main content area loses its margins, on the assumption that +# you're doing something special. + # Kind of sidebar (panel on the left, showing progress). # - "widget" or unset, use traditional sidebar (logo, items) # - "none", hide it entirely @@ -66,6 +86,12 @@ sidebar: widget # except the default is *bottom*. navigation: widget + +### STRINGS, IMAGES AND COLORS +# +# This section contains the "branding proper" of names +# and images, rather than global-look settings. + # These are strings shown to the user in the user interface. # There is no provision for translating them -- since they # are names, the string is included as-is. @@ -139,9 +165,28 @@ images: # productWallpaper: "wallpaper.png" productWelcome: "languages.png" +# Colors for text and background components. +# +# - sidebarBackground is the background of the sidebar +# - sidebarText is the (foreground) text color +# - sidebarTextHighlight sets the background of the selected (current) step. +# Optional, and defaults to the application palette. +# - sidebarSelect is the text color of the selected step. +# +# These colors can **also** be set through the stylesheet, if the +# branding component also ships a stylesheet.qss. Then they are +# the corresponding CSS attributes of #sidebarApp. +style: + sidebarBackground: "#292F34" + sidebarText: "#FFFFFF" + sidebarTextSelect: "#292F34" + sidebarTextHighlight: "#D35400" + +### SLIDESHOW +# # The slideshow is displayed during execution steps (e.g. when the # installer is actually writing to disk and doing other slow things). -# + # The slideshow can be a QML file (recommended) which can display # arbitrary things -- text, images, animations, or even play a game -- # during the execution step. The QML **is** abruptly stopped when the @@ -171,19 +216,3 @@ slideshow: "show.qml" slideshowAPI: 2 -# Colors for text and background components. -# -# - sidebarBackground is the background of the sidebar -# - sidebarText is the (foreground) text color -# - sidebarTextHighlight sets the background of the selected (current) step. -# Optional, and defaults to the application palette. -# - sidebarSelect is the text color of the selected step. -# -# These colors can **also** be set through the stylesheet, if the -# branding component also ships a stylesheet.qss. Then they are -# the corresponding CSS attributes of #sidebarApp. -style: - sidebarBackground: "#292F34" - sidebarText: "#FFFFFF" - sidebarTextSelect: "#292F34" - sidebarTextHighlight: "#D35400" From bfbb0f1c49ae6bd6f311fbf684aa7577517a9ee7 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 04:59:19 -0400 Subject: [PATCH 029/123] [libcalamaresui] Mark some TODO for 3.3, in passing --- src/libcalamaresui/utils/CalamaresUtilsGui.h | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/libcalamaresui/utils/CalamaresUtilsGui.h b/src/libcalamaresui/utils/CalamaresUtilsGui.h index 961ed5bc7..251741fad 100644 --- a/src/libcalamaresui/utils/CalamaresUtilsGui.h +++ b/src/libcalamaresui/utils/CalamaresUtilsGui.h @@ -87,6 +87,7 @@ UIDLLEXPORT QPixmap defaultPixmap( ImageType type, ImageMode mode = CalamaresUtils::Original, const QSize& size = QSize( 0, 0 ) ); +// TODO:3.3:This has only one consumer, move to ImageRegistry, make static /** * @brief createRoundedImage returns a rounded version of a pixmap. * @param avatar the input pixmap. @@ -103,6 +104,7 @@ UIDLLEXPORT QPixmap createRoundedImage( const QPixmap& avatar, const QSize& size */ UIDLLEXPORT void unmarginLayout( QLayout* layout ); +// TODO:3.3:This has only one consumer, move to LicensePage, make static /** * @brief clearLayout recursively walks the QLayout tree and deletes all the child * widgets and layouts. @@ -113,7 +115,7 @@ UIDLLEXPORT void clearLayout( QLayout* layout ); UIDLLEXPORT void setDefaultFontSize( int points ); UIDLLEXPORT int defaultFontSize(); // in points UIDLLEXPORT int defaultFontHeight(); // in pixels, DPI-specific -UIDLLEXPORT QFont defaultFont(); +UIDLLEXPORT QFont defaultFont(); // TODO:3.3:This has one consumer, move to BlankViewStep UIDLLEXPORT QFont largeFont(); UIDLLEXPORT QSize defaultIconSize(); From 4a6ee39f8bc8f64c740dbb4e92ea6ec58ade5df1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 11:08:31 +0200 Subject: [PATCH 030/123] [libcalamaresui] Blanket unmargin the content area --- src/libcalamaresui/ViewManager.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/src/libcalamaresui/ViewManager.cpp b/src/libcalamaresui/ViewManager.cpp index c78680418..e72c434f8 100644 --- a/src/libcalamaresui/ViewManager.cpp +++ b/src/libcalamaresui/ViewManager.cpp @@ -71,6 +71,7 @@ ViewManager::ViewManager( QObject* parent ) Q_ASSERT( !s_instance ); QBoxLayout* mainLayout = new QVBoxLayout; + mainLayout->setContentsMargins( 0, 0, 0, 0 ); m_widget->setObjectName( "viewManager" ); m_widget->setLayout( mainLayout ); From 347a25d13d264efc71fc74059a5e4e607badf9f1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 20:48:06 +0200 Subject: [PATCH 031/123] [libcalamaresui] Avoid nullptr deref - there's a check already there, and probably this means things are hopelessly broken anyway, but let's not crash here. --- src/libcalamaresui/ViewManager.cpp | 18 +++++++++++------- 1 file changed, 11 insertions(+), 7 deletions(-) diff --git a/src/libcalamaresui/ViewManager.cpp b/src/libcalamaresui/ViewManager.cpp index e72c434f8..40e621ae8 100644 --- a/src/libcalamaresui/ViewManager.cpp +++ b/src/libcalamaresui/ViewManager.cpp @@ -128,15 +128,19 @@ ViewManager::insertViewStep( int before, ViewStep* step ) { cError() << "ViewStep" << step->moduleInstanceKey() << "has no widget."; } - - QLayout* layout = step->widget()->layout(); - if ( layout ) + else { - layout->setContentsMargins( 0, 0, 0, 0 ); + // step->adjustMargins() "some magic" + QLayout* layout = step->widget()->layout(); + if ( layout ) + { + layout->setContentsMargins( 0, 0, 0, 0 ); + } + + m_stack->insertWidget( before, step->widget() ); + m_stack->setCurrentIndex( 0 ); + step->widget()->setFocus(); } - m_stack->insertWidget( before, step->widget() ); - m_stack->setCurrentIndex( 0 ); - step->widget()->setFocus(); emit endInsertRows(); } From 748d76df4f0f9c4b34f491f1d75234cbc1d8896f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 21:15:37 +0200 Subject: [PATCH 032/123] [libcalamaresui] Add support for steps with own margins --- src/libcalamaresui/viewpages/ViewStep.cpp | 13 ++++++++ src/libcalamaresui/viewpages/ViewStep.h | 40 +++++++++++++++++++++-- 2 files changed, 50 insertions(+), 3 deletions(-) diff --git a/src/libcalamaresui/viewpages/ViewStep.cpp b/src/libcalamaresui/viewpages/ViewStep.cpp index 82f8688dc..64979836f 100644 --- a/src/libcalamaresui/viewpages/ViewStep.cpp +++ b/src/libcalamaresui/viewpages/ViewStep.cpp @@ -19,6 +19,9 @@ #include "ViewStep.h" +#include +#include + namespace Calamares { @@ -85,4 +88,14 @@ ViewStep::checkRequirements() return RequirementsList(); } +QSize +ViewStep::widgetMargins( Qt::Orientations panelSides ) +{ + Q_UNUSED( panelSides ); + + // Application's default style + const auto* s = QApplication::style(); + return QSize( s->pixelMetric( QStyle::PM_LayoutLeftMargin ), s->pixelMetric( QStyle::PM_LayoutTopMargin ) ); +} + } // namespace Calamares diff --git a/src/libcalamaresui/viewpages/ViewStep.h b/src/libcalamaresui/viewpages/ViewStep.h index 707bc0b3b..59f307af2 100644 --- a/src/libcalamaresui/viewpages/ViewStep.h +++ b/src/libcalamaresui/viewpages/ViewStep.h @@ -52,27 +52,61 @@ public: explicit ViewStep( QObject* parent = nullptr ); virtual ~ViewStep() override; + /** @brief Human-readable name of the step + * + * This (translated) string is shown in the sidebar (progress) + * and during installation. There is no default. + */ virtual QString prettyName() const = 0; - /** + /** @brief Describe what this step will do during install + * * Optional. May return a non-empty string describing what this * step is going to do (should be translated). This is also used * in the summary page to describe what is going to be done. * Return an empty string to provide no description. + * + * The default implementation returns an empty string, so nothing + * will be displayed for this step when a summary is shown. */ virtual QString prettyStatus() const; - /** + /** @brief Return a long description what this step will do during install + * * Optional. May return a widget which will be inserted in the summary * page. The caller takes ownership of the widget. Return nullptr to * provide no widget. In general, this is only used for complicated * steps where prettyStatus() is not sufficient. + * + * The default implementation returns nullptr, so nothing + * will be displayed for this step when a summary is shown. */ virtual QWidget* createSummaryWidget() const; - //TODO: we might want to make this a QSharedPointer + /** @brief Get (or create) the widget for this view step + * + * While a view step **may** create the widget when it is loaded, + * it is recommended to wait with widget creation until the + * widget is actually asked for: a view step **may** be used + * without a UI. + */ virtual QWidget* widget() = 0; + /** @brief Get margins for this widget + * + * This is called by the layout manager to find the desired + * margins (width is used for left and right margin, height is + * used for top and bottom margins) for the widget. The + * @p panelSides indicates where there are panels in the overall + * layout: horizontally and / or vertically adjacent (or none!) + * to the view step's widget. + * + * Should return a size based also on QStyle metrics for layout. + * The default implementation just returns the default layout metrics + * (often 11 pixels on a side). + */ + virtual QSize widgetMargins( Qt::Orientations panelSides ); + /** * @brief Multi-page support, go next * From 1648f311fe18570ebafe89b25791b9c8655cf9f1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 21:26:22 +0200 Subject: [PATCH 033/123] [libcalamaresui] apidox touch-up --- src/libcalamaresui/ViewManager.h | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/src/libcalamaresui/ViewManager.h b/src/libcalamaresui/ViewManager.h index cfff5abd9..73d1a0121 100644 --- a/src/libcalamaresui/ViewManager.h +++ b/src/libcalamaresui/ViewManager.h @@ -100,10 +100,11 @@ public: int currentStepIndex() const; /** - * @ brief Called when "Cancel" is clicked; asks for confirmation. + * @brief Called when "Cancel" is clicked; asks for confirmation. * Other means of closing Calamares also call this method, e.g. alt-F4. - * At the end of installation, no confirmation is asked. Returns true - * if the user confirms closing the window. + * At the end of installation, no confirmation is asked. + * + * @return @c true if the user confirms closing the window. */ bool confirmCancelInstallation(); From d7ed450dbfb334f24506915d5ee6a44de6965797 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 21:41:06 +0200 Subject: [PATCH 034/123] [libcalamaresui] Give ViewManager data about side-panels --- src/libcalamaresui/ViewManager.cpp | 1 + src/libcalamaresui/ViewManager.h | 5 +++++ 2 files changed, 6 insertions(+) diff --git a/src/libcalamaresui/ViewManager.cpp b/src/libcalamaresui/ViewManager.cpp index 40e621ae8..45baa2f59 100644 --- a/src/libcalamaresui/ViewManager.cpp +++ b/src/libcalamaresui/ViewManager.cpp @@ -67,6 +67,7 @@ ViewManager::ViewManager( QObject* parent ) : QAbstractListModel( parent ) , m_currentStep( -1 ) , m_widget( new QWidget() ) + , m_panelSides( Qt::Horizontal | Qt::Vertical ) { Q_ASSERT( !s_instance ); diff --git a/src/libcalamaresui/ViewManager.h b/src/libcalamaresui/ViewManager.h index 73d1a0121..0fb1cbb45 100644 --- a/src/libcalamaresui/ViewManager.h +++ b/src/libcalamaresui/ViewManager.h @@ -54,6 +54,9 @@ class UIDLLEXPORT ViewManager : public QAbstractListModel Q_PROPERTY( bool quitVisible READ quitVisible NOTIFY quitVisibleChanged FINAL ) + ///@brief Sides on which the ViewManager has side-panels + Q_PROPERTY( Qt::Orientations panelSides MEMBER m_panelSides ) + public: /** * @brief instance access to the ViewManager singleton. @@ -245,6 +248,8 @@ private: QString m_quitTooltip; bool m_quitVisible = true; + Qt::Orientations m_panelSides; + public: /** @section Model * From d952faf909bc423eb29df7e38e266460d1b9f0ff Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 22:12:59 +0200 Subject: [PATCH 035/123] [libcalamaresui] Set margins based on viewstep suggestion --- src/libcalamaresui/ViewManager.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/libcalamaresui/ViewManager.cpp b/src/libcalamaresui/ViewManager.cpp index 45baa2f59..a39fc141f 100644 --- a/src/libcalamaresui/ViewManager.cpp +++ b/src/libcalamaresui/ViewManager.cpp @@ -131,11 +131,11 @@ ViewManager::insertViewStep( int before, ViewStep* step ) } else { - // step->adjustMargins() "some magic" QLayout* layout = step->widget()->layout(); if ( layout ) { - layout->setContentsMargins( 0, 0, 0, 0 ); + const auto margins = step->widgetMargins( m_panelSides ); + layout->setContentsMargins( margins.width(), margins.height(), margins.width(), margins.height() ); } m_stack->insertWidget( before, step->widget() ); From 68aecf6a26c3f2664e0974261c4dce714f184d4d Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 24 Jun 2020 23:41:20 +0200 Subject: [PATCH 036/123] [libcalamaresui] Special margins for QML view steps If there are no surrounding panels, drop the margin around the QML on the assumption it needs to be full screen under special circumstances. --- src/libcalamaresui/viewpages/QmlViewStep.cpp | 16 ++++++++++++++++ src/libcalamaresui/viewpages/QmlViewStep.h | 1 + 2 files changed, 17 insertions(+) diff --git a/src/libcalamaresui/viewpages/QmlViewStep.cpp b/src/libcalamaresui/viewpages/QmlViewStep.cpp index 2234c230a..6318e47d8 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.cpp +++ b/src/libcalamaresui/viewpages/QmlViewStep.cpp @@ -151,6 +151,22 @@ QmlViewStep::widget() return m_widget; } +QSize +QmlViewStep::widgetMargins( Qt::Orientations panelSides ) +{ + // If any panels around it, use the standard, but if all the + // panels are hidden, like on full-screen with subsumed navigation, + // then no margins. + if ( panelSides ) + { + return ViewStep::widgetMargins( panelSides ); + } + else + { + return QSize( 0, 0 ); + } +} + void QmlViewStep::loadComplete() { diff --git a/src/libcalamaresui/viewpages/QmlViewStep.h b/src/libcalamaresui/viewpages/QmlViewStep.h index cad6bb395..e1f4caf28 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.h +++ b/src/libcalamaresui/viewpages/QmlViewStep.h @@ -55,6 +55,7 @@ public: virtual QString prettyName() const override; virtual QWidget* widget() override; + virtual QSize widgetMargins( Qt::Orientations panelSides ) override; virtual bool isNextEnabled() const override; virtual bool isBackEnabled() const override; From 8ced67680d2632a24f52a375ded2f5cf95e49b82 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 25 Jun 2020 00:00:13 +0200 Subject: [PATCH 037/123] [calamares] Allow get/set of panel-sides - Add access to the panel-sides membe of the view manager, and calculate which sides are populated by panels (if any). - Pass the calculated panel-sides to the view manager before it starts adding viewpages, so they get consistent margins. --- src/calamares/CalamaresWindow.cpp | 24 +++++++++++++++++------- src/libcalamaresui/ViewManager.h | 5 ++++- 2 files changed, 21 insertions(+), 8 deletions(-) diff --git a/src/calamares/CalamaresWindow.cpp b/src/calamares/CalamaresWindow.cpp index a3775c44e..28b9df626 100644 --- a/src/calamares/CalamaresWindow.cpp +++ b/src/calamares/CalamaresWindow.cpp @@ -111,12 +111,12 @@ CalamaresWindow::getWidgetSidebar( QWidget* parent, int desiredWidth ) sideLayout->addWidget( debugWindowBtn ); debugWindowBtn->setFlat( true ); debugWindowBtn->setCheckable( true ); - connect( debugWindowBtn, &QPushButton::clicked, this, [ = ]( bool checked ) { + connect( debugWindowBtn, &QPushButton::clicked, this, [=]( bool checked ) { if ( checked ) { m_debugWindow = new Calamares::DebugWindow(); m_debugWindow->show(); - connect( m_debugWindow.data(), &Calamares::DebugWindow::closed, this, [ = ]() { + connect( m_debugWindow.data(), &Calamares::DebugWindow::closed, this, [=]() { m_debugWindow->deleteLater(); debugWindowBtn->setChecked( false ); } ); @@ -167,7 +167,7 @@ CalamaresWindow::getWidgetNavigation( QWidget* parent ) connect( back, &QPushButton::clicked, m_viewManager, &Calamares::ViewManager::back ); connect( m_viewManager, &Calamares::ViewManager::backEnabledChanged, back, &QPushButton::setEnabled ); connect( m_viewManager, &Calamares::ViewManager::backLabelChanged, back, &QPushButton::setText ); - connect( m_viewManager, &Calamares::ViewManager::backIconChanged, this, [ = ]( QString n ) { + connect( m_viewManager, &Calamares::ViewManager::backIconChanged, this, [=]( QString n ) { setButtonIcon( back, n ); } ); bottomLayout->addWidget( back ); @@ -179,7 +179,7 @@ CalamaresWindow::getWidgetNavigation( QWidget* parent ) connect( next, &QPushButton::clicked, m_viewManager, &Calamares::ViewManager::next ); connect( m_viewManager, &Calamares::ViewManager::nextEnabledChanged, next, &QPushButton::setEnabled ); connect( m_viewManager, &Calamares::ViewManager::nextLabelChanged, next, &QPushButton::setText ); - connect( m_viewManager, &Calamares::ViewManager::nextIconChanged, this, [ = ]( QString n ) { + connect( m_viewManager, &Calamares::ViewManager::nextIconChanged, this, [=]( QString n ) { setButtonIcon( next, n ); } ); bottomLayout->addWidget( next ); @@ -191,7 +191,7 @@ CalamaresWindow::getWidgetNavigation( QWidget* parent ) connect( quit, &QPushButton::clicked, m_viewManager, &Calamares::ViewManager::quit ); connect( m_viewManager, &Calamares::ViewManager::quitEnabledChanged, quit, &QPushButton::setEnabled ); connect( m_viewManager, &Calamares::ViewManager::quitLabelChanged, quit, &QPushButton::setText ); - connect( m_viewManager, &Calamares::ViewManager::quitIconChanged, this, [ = ]( QString n ) { + connect( m_viewManager, &Calamares::ViewManager::quitIconChanged, this, [=]( QString n ) { setButtonIcon( quit, n ); } ); connect( m_viewManager, &Calamares::ViewManager::quitTooltipChanged, quit, &QPushButton::setToolTip ); @@ -237,11 +237,13 @@ CalamaresWindow::getQmlNavigation( QWidget* parent ) } #else // Bogus to keep the linker happy -QWidget * CalamaresWindow::getQmlSidebar(QWidget* , int ) +QWidget* +CalamaresWindow::getQmlSidebar( QWidget*, int ) { return nullptr; } -QWidget * CalamaresWindow::getQmlNavigation(QWidget* ) +QWidget* +CalamaresWindow::getQmlNavigation( QWidget* ) { return nullptr; } @@ -401,6 +403,14 @@ CalamaresWindow::CalamaresWindow( QWidget* parent ) insertIf( mainLayout, PanelSide::Right, navigation, branding->navigationSide() ); insertIf( mainLayout, PanelSide::Right, sideBox, branding->sidebarSide() ); + // layout->count() returns number of things in it; above we have put + // at **least** the central widget, which comes from the view manager, + // both vertically and horizontally -- so if there's a panel along + // either axis, the count in that axis will be > 1. + m_viewManager->setPanelSides( + ( contentsLayout->count() > 1 ? Qt::Orientations( Qt::Horizontal ) : Qt::Orientations() ) + | ( mainLayout->count() > 1 ? Qt::Orientations( Qt::Vertical ) : Qt::Orientations() ) ); + CalamaresUtils::unmarginLayout( mainLayout ); CalamaresUtils::unmarginLayout( contentsLayout ); baseWidget->setLayout( mainLayout ); diff --git a/src/libcalamaresui/ViewManager.h b/src/libcalamaresui/ViewManager.h index 0fb1cbb45..683b335d1 100644 --- a/src/libcalamaresui/ViewManager.h +++ b/src/libcalamaresui/ViewManager.h @@ -55,7 +55,7 @@ class UIDLLEXPORT ViewManager : public QAbstractListModel Q_PROPERTY( bool quitVisible READ quitVisible NOTIFY quitVisibleChanged FINAL ) ///@brief Sides on which the ViewManager has side-panels - Q_PROPERTY( Qt::Orientations panelSides MEMBER m_panelSides ) + Q_PROPERTY( Qt::Orientations panelSides READ panelSides WRITE setPanelSides MEMBER m_panelSides ) public: /** @@ -111,6 +111,9 @@ public: */ bool confirmCancelInstallation(); + Qt::Orientations panelSides() const { return m_panelSides; } + void setPanelSides( Qt::Orientations panelSides ) { m_panelSides = panelSides; } + public Q_SLOTS: /** * @brief next moves forward to the next page of the current ViewStep (if any), From fa2f91aa46c1c354bde59ac4b9c49ae296c60286 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 25 Jun 2020 14:04:49 +0200 Subject: [PATCH 038/123] [libcalamaresui] Minor documentation improvements --- src/libcalamaresui/viewpages/QmlViewStep.h | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/src/libcalamaresui/viewpages/QmlViewStep.h b/src/libcalamaresui/viewpages/QmlViewStep.h index e1f4caf28..b15fbfa5c 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.h +++ b/src/libcalamaresui/viewpages/QmlViewStep.h @@ -35,6 +35,15 @@ namespace Calamares * This is generally a **base** class for other view steps, but * it can be used stand-alone for viewsteps that don't really have * any functionality. + * + * Most subclasses will override the following methods: + * - prettyName() to provide a meaningful human-readable name + * - jobs() if there is real work to be done during installation + * - getConfig() to return a meaningful configuration object + * + * For details on the interaction between the config object and + * the QML in the module, see the Calamares wiki: + * https://github.com/calamares/calamares/wiki/Develop-Design */ class QmlViewStep : public Calamares::ViewStep { From 6735ff1cd06d0c06e757cca62c1712336e6cf6eb Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 25 Jun 2020 14:38:09 +0200 Subject: [PATCH 039/123] Docs: give up on PythonQt modules --- src/modules/README.md | 41 ++++++++++++----------------------------- 1 file changed, 12 insertions(+), 29 deletions(-) diff --git a/src/modules/README.md b/src/modules/README.md index 2a9ef64c7..3e96d672d 100644 --- a/src/modules/README.md +++ b/src/modules/README.md @@ -9,20 +9,16 @@ Each Calamares module lives in its own directory. All modules are installed in `$DESTDIR/lib/calamares/modules`. There are two **types** of Calamares module: -* viewmodule, for user-visible modules. These may be in C++, or PythonQt. +* viewmodule, for user-visible modules. These use C++ and QWidgets or QML * jobmodule, for not-user-visible modules. These may be done in C++, Python, or as external processes. -A viewmodule exposes a UI to the user. The PythonQt-based modules -are considered experimental (and as of march 2019 may be on the -way out again as never-used-much and PythonQt is not packaged -on Debian anymore). +A viewmodule exposes a UI to the user. -There are three (four) **interfaces** for Calamares modules: +There are three **interfaces** for Calamares modules: * qtplugin (viewmodules, jobmodules), * python (jobmodules only), -* pythonqt (viewmodules, jobmodules, optional), -* process (jobmodules only). +* process (jobmodules only, not recommended). ## Module directory @@ -50,7 +46,7 @@ Module descriptors **must** have the following keys: - *interface* (see below for the different interfaces; generally we refer to the kinds of modules by their interface) -Module descriptors for Python and PythonQt modules **must** have the following key: +Module descriptors for Python modules **must** have the following key: - *script* (the name of the Python script to load, nearly always `main.py`) Module descriptors **may** have the following keys: @@ -139,9 +135,8 @@ nearly all cases can be described in CMake. Modules may use one of the python interfaces, which may be present in a Calamares installation (but also may not be). These modules must have -a `module.desc` file. The Python script must implement one or more of the -Python interfaces for Calamares -- either the python jobmodule interface, -or the experimental pythonqt job- and viewmodule interfaces. +a `module.desc` file. The Python script must implement the +Python jobmodule interface. To add a Python or process jobmodule, put it in a subdirectory and make sure it has a `module.desc`. It will be picked up automatically by our CMake magic. @@ -178,32 +173,20 @@ description if something went wrong. -## PythonQt modules +## PythonQt modules (deprecated) > Type: viewmodule, jobmodule > Interface: pythonqt -The PythonQt modules are considered experimental and may be removed again -due to low uptake. Their documentation is also almost completely lacking. - -### PythonQt Jobmodule - -A PythonQt jobmodule implements the experimental Job interface by defining -a subclass of something. - -### PythonQt Viewmodule - -A PythonQt viewmodule implements the experimental View interface by defining -a subclass of something. - -### Python API - -**TODO:** this needs documentation +The PythonQt modules are deprecated and will be removed in Calamares 3.3. +Their documentation is also almost completely lacking. ## Process jobmodules +Use of this kind of module is **not** recommended. + > Type: jobmodule > Interface: process From 31a1b710bcb92335a5d623cdd7adc33f83b89fe5 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 25 Jun 2020 15:26:48 +0200 Subject: [PATCH 040/123] Docs: say something about QML modules --- src/libcalamaresui/viewpages/QmlViewStep.h | 4 +- src/modules/README.md | 55 +++++++++++++++++++++- 2 files changed, 56 insertions(+), 3 deletions(-) diff --git a/src/libcalamaresui/viewpages/QmlViewStep.h b/src/libcalamaresui/viewpages/QmlViewStep.h index b15fbfa5c..dc2af650d 100644 --- a/src/libcalamaresui/viewpages/QmlViewStep.h +++ b/src/libcalamaresui/viewpages/QmlViewStep.h @@ -42,8 +42,8 @@ namespace Calamares * - getConfig() to return a meaningful configuration object * * For details on the interaction between the config object and - * the QML in the module, see the Calamares wiki: - * https://github.com/calamares/calamares/wiki/Develop-Design + * the QML in the module, see the module documentation: + * src/modules/README.md */ class QmlViewStep : public Calamares::ViewStep { diff --git a/src/modules/README.md b/src/modules/README.md index 3e96d672d..ee6e378d2 100644 --- a/src/modules/README.md +++ b/src/modules/README.md @@ -129,6 +129,59 @@ a `CMakeLists.txt` with a `calamares_add_plugin` call. It will be picked up automatically by our CMake magic. The `module.desc` file is not recommended: nearly all cases can be described in CMake. +### C++ Jobmodule + +**TODO:** this needs documentation + +### C++ Widgets Viewmodule + +**TODO:** this needs documentation + +### C++ QML Viewmodule + +A QML Viewmodule (or view step) puts much of the UI work in one or more +QML files; the files may be loaded from the branding directory or compiled +into the module. Which QML is used depends on the deployment and the +configuration files for Calamares. + +#### Explicit properties + +The QML can access data from the C++ framework though properties +exposed to QML. There are two libraries that need to be imported +explicitly: + +``` +import io.calamares.core 1.0 +import io.calamares.ui 1.0 +``` + +The *ui* library contains the *Branding* object, which corresponds to +the branding information set through `branding.desc`. The Branding +class (in `src/libcalamaresui/Branding.h` offers a QObject-property +based API, where the most important functions are `string()` and the +convenience functions `versionedName()` and similar. + +The *core* library contains both *ViewManager*, which handles overall +progress through the application, and *Global*, which holds global +storage information. Both objects have an extensive API. The *ViewManager* +can behave as a model for list views and the like. + +These explicit properties from libraries are shared across all the +QML modules (for global storage that goes without saying: it is +the mechanism to share information with other modules). + +#### Implicit properties + +Each module also has an implicit context property available to it. +No import is needed. The context property *config* (note lower case) +holds the Config object for the module. + +The Config object is the bridge between C++ and QML. + +A Config object must inherit QObject and should expose, as `Q_PROPERTY`, +all of the relevant configuration information for the module instance. +The general description how to do that is available +in the [Qt documentation](https://doc.qt.io/qt-5/qtqml-cppintegration-topic.html). ## Python modules @@ -183,7 +236,7 @@ Their documentation is also almost completely lacking. -## Process jobmodules +## Process modules Use of this kind of module is **not** recommended. From 3b5c4839e3913f2cecf7ad211e4a82de2ec6f8ba Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 26 Jun 2020 20:34:33 +0200 Subject: [PATCH 041/123] [libcalamaresui] Warnings-- --- src/libcalamaresui/viewpages/ViewStep.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/libcalamaresui/viewpages/ViewStep.cpp b/src/libcalamaresui/viewpages/ViewStep.cpp index 64979836f..ad86d06a4 100644 --- a/src/libcalamaresui/viewpages/ViewStep.cpp +++ b/src/libcalamaresui/viewpages/ViewStep.cpp @@ -91,7 +91,7 @@ ViewStep::checkRequirements() QSize ViewStep::widgetMargins( Qt::Orientations panelSides ) { - Q_UNUSED( panelSides ); + Q_UNUSED( panelSides ) // Application's default style const auto* s = QApplication::style(); From 08aa362c5c308ad8b0345aa5f5bf4950c542b017 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 27 Jun 2020 00:33:50 +0200 Subject: [PATCH 042/123] [license] Warnings-reduction - Don't do in code what is already done in the designer (.ui) file - setFrameStyle() is difficult because it mixes different enums into an int, which causes the warning from clang. --- src/modules/license/LicensePage.cpp | 4 ---- 1 file changed, 4 deletions(-) diff --git a/src/modules/license/LicensePage.cpp b/src/modules/license/LicensePage.cpp index 237e8d0dc..f2b1f4a50 100644 --- a/src/modules/license/LicensePage.cpp +++ b/src/modules/license/LicensePage.cpp @@ -107,10 +107,6 @@ LicensePage::LicensePage( QWidget* parent ) // ui->verticalLayout->insertSpacing( 1, CalamaresUtils::defaultFontHeight() ); CalamaresUtils::unmarginLayout( ui->verticalLayout ); - ui->mainText->setWordWrap( true ); - ui->mainText->setSizePolicy( QSizePolicy::Expanding, QSizePolicy::Minimum ); - - ui->acceptFrame->setFrameStyle( QFrame::NoFrame | QFrame::Plain ); ui->acceptFrame->setStyleSheet( mustAccept ); ui->acceptFrame->layout()->setMargin( CalamaresUtils::defaultFontHeight() / 2 ); From 8aa8ac2d2688d9723a6e04bdb3d53b7b09e8e9f8 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 3 Jul 2020 21:51:39 +0200 Subject: [PATCH 043/123] [packages] Tidy up configuration - fix the schema so the schema is valid json-schema - the schema doesn't actually validate the *operations* yet - sort the named backends (needs a double-check that the list covers all the ones we currently support) SEE #1441 --- src/modules/packages/packages.conf | 16 ++++---- src/modules/packages/packages.schema.yaml | 50 +++++++++++------------ 2 files changed, 32 insertions(+), 34 deletions(-) diff --git a/src/modules/packages/packages.conf b/src/modules/packages/packages.conf index 032794177..bcf313972 100644 --- a/src/modules/packages/packages.conf +++ b/src/modules/packages/packages.conf @@ -1,16 +1,18 @@ --- # # Which package manager to use, options are: -# - packagekit - PackageKit CLI tool -# - zypp - Zypp RPM frontend -# - yum - Yum RPM frontend -# - dnf - DNF, the new RPM frontend -# - urpmi - Mandriva package manager +# - apk - Alpine Linux package manager # - apt - APT frontend for DEB and RPM +# - dnf - DNF, the new RPM frontend +# - entropy - Sabayon package manager +# - packagekit - PackageKit CLI tool # - pacman - Pacman # - portage - Gentoo package manager -# - entropy - Sabayon package manager -# - apk = Alpine Linux package manager +# - urpmi - Mandriva package manager +# - yum - Yum RPM frontend +# - zypp - Zypp RPM frontend +# +# Not actually a package manager, but suitable for testing: # - dummy - Dummy manager, only logs # backend: dummy diff --git a/src/modules/packages/packages.schema.yaml b/src/modules/packages/packages.schema.yaml index 8b8a9eb1d..24e1a271a 100644 --- a/src/modules/packages/packages.schema.yaml +++ b/src/modules/packages/packages.schema.yaml @@ -4,30 +4,26 @@ $id: https://calamares.io/schemas/packages additionalProperties: false type: object properties: - "backend": { type: string, required: true, enum: [packagekit, zypp, yum, dnf, urpmi, apt, pacman, portage, entropy] } - "update_db": { type: boolean, default: true } - "operations": - type: seq - sequence: - - type: map - mapping: - "install": - type: seq - sequence: - - { type: text } - "remove": - type: seq - sequence: - - { type: text } - "localInstall": - type: seq - sequence: - - { type: text } - "try_install": - type: seq - sequence: - - { type: text } - "try_remove": - type: seq - sequence: - - { type: text } + backend: + type: string + enum: + - apk + - apt + - dnf + - entropy + - packagekit + - pacman + - portage + - urpmi + - yum + - zypp + - dummy + + update_db: { type: boolean, default: true } + update_system: { type: boolean, default: false } + skip_if_no_internet: { type: boolean, default: false } + + operations: + type: array + +required: [ backend ] From d3f9415bc195e5b752f23a8c9de6ce63475ea4f7 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 3 Jul 2020 22:06:57 +0200 Subject: [PATCH 044/123] [packages] Expand schema to cover the operations - Not complete, since the items in the operations aren't done --- src/modules/packages/packages.schema.yaml | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/src/modules/packages/packages.schema.yaml b/src/modules/packages/packages.schema.yaml index 24e1a271a..40f82bb35 100644 --- a/src/modules/packages/packages.schema.yaml +++ b/src/modules/packages/packages.schema.yaml @@ -25,5 +25,18 @@ properties: operations: type: array + items: + additionalProperties: false + type: object + properties: + # TODO: these are either-string-or-struct items, + # need their own little schema. + install: { type: array } + remove: { type: array } + try_install: { type: array } + try_remove: { type: array } + localInstall: { type: array } + source: { type: string } + required: [ backend ] From 46ad704ede0fa6aff65342814f46ec5e25619826 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 3 Jul 2020 22:33:00 +0200 Subject: [PATCH 045/123] [partition] Fix build for old KPMCore SEE #1444 --- src/modules/partition/jobs/FillGlobalStorageJob.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/modules/partition/jobs/FillGlobalStorageJob.cpp b/src/modules/partition/jobs/FillGlobalStorageJob.cpp index d695a5f6a..e3f696bbc 100644 --- a/src/modules/partition/jobs/FillGlobalStorageJob.cpp +++ b/src/modules/partition/jobs/FillGlobalStorageJob.cpp @@ -93,8 +93,10 @@ mapForPartition( Partition* partition, const QString& uuid ) map[ "device" ] = partition->partitionPath(); map[ "partlabel" ] = partition->label(); map[ "partuuid" ] = partition->uuid(); +#ifdef WITH_KPMCORE42API map[ "parttype" ] = partition->type(); map[ "partattrs" ] = partition->attributes(); +#endif map[ "mountPoint" ] = PartitionInfo::mountPoint( partition ); map[ "fsName" ] = userVisibleFS( partition->fileSystem() ); map[ "fs" ] = untranslatedFS( partition->fileSystem() ); From d78cbfc6446a5934abf9017b3f9929a739700afb Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 5 Jul 2020 08:18:38 +0100 Subject: [PATCH 046/123] update example configurations and schema --- src/modules/packages/packages.conf | 1 + src/modules/packages/packages.schema.yaml | 1 + 2 files changed, 2 insertions(+) diff --git a/src/modules/packages/packages.conf b/src/modules/packages/packages.conf index bcf313972..738117ea4 100644 --- a/src/modules/packages/packages.conf +++ b/src/modules/packages/packages.conf @@ -11,6 +11,7 @@ # - urpmi - Mandriva package manager # - yum - Yum RPM frontend # - zypp - Zypp RPM frontend +# - pamac - Manjaro package manager # # Not actually a package manager, but suitable for testing: # - dummy - Dummy manager, only logs diff --git a/src/modules/packages/packages.schema.yaml b/src/modules/packages/packages.schema.yaml index 40f82bb35..cdb2fefdf 100644 --- a/src/modules/packages/packages.schema.yaml +++ b/src/modules/packages/packages.schema.yaml @@ -17,6 +17,7 @@ properties: - urpmi - yum - zypp + - pamac - dummy update_db: { type: boolean, default: true } From e29462bc05c08a18d37dd4addcf0be189eef0103 Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 5 Jul 2020 08:35:52 +0100 Subject: [PATCH 047/123] [pamac] rework db_lock --- src/modules/packages/main.py | 20 +++++++++----------- 1 file changed, 9 insertions(+), 11 deletions(-) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index b2000ab14..b1a94697e 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -309,32 +309,30 @@ class PMPacman(PackageManager): def update_system(self): check_target_env_call(["pacman", "-Su", "--noconfirm"]) - - + + class PMPamac(PackageManager): backend = "pamac" - - def check_db_lock(self, lock="/var/lib/pacman/db.lck"): + + def del_db_lock(self, lock="/var/lib/pacman/db.lck"): # In case some error or crash, the database will be locked, # resulting in remaining packages not being installed. - import os - if os.path.exists(lock): - check_target_env_call(["rm", lock]) + check_target_env_call(["rm", "-f", lock]) def install(self, pkgs, from_local=False): - self.check_db_lock() + self.del_db_lock() check_target_env_call([self.backend, "install", "--no-confirm"] + pkgs) def remove(self, pkgs): - self.check_db_lock() + self.del_db_lock() check_target_env_call([self.backend, "remove", "--no-confirm"] + pkgs) def update_db(self): - self.check_db_lock() + self.del_db_lock() check_target_env_call([self.backend, "update", "--no-confirm"]) def update_system(self): - self.check_db_lock() + self.del_db_lock() check_target_env_call([self.backend, "upgrade", "--no-confirm"]) From c16866fb885f98d047f208b916e14833733e293d Mon Sep 17 00:00:00 2001 From: Vitor Lopes Date: Sun, 5 Jul 2020 08:37:28 +0100 Subject: [PATCH 048/123] pep8 302 --- src/modules/packages/main.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/modules/packages/main.py b/src/modules/packages/main.py index b1a94697e..4f746dccc 100644 --- a/src/modules/packages/main.py +++ b/src/modules/packages/main.py @@ -178,6 +178,7 @@ class PMPackageKit(PackageManager): def update_system(self): check_target_env_call(["pkcon", "-py", "update"]) + class PMZypp(PackageManager): backend = "zypp" @@ -198,6 +199,7 @@ class PMZypp(PackageManager): # Doesn't need to update the system explicitly pass + class PMYum(PackageManager): backend = "yum" @@ -215,6 +217,7 @@ class PMYum(PackageManager): def update_system(self): check_target_env_call(["yum", "-y", "upgrade"]) + class PMDnf(PackageManager): backend = "dnf" @@ -274,6 +277,7 @@ class PMApt(PackageManager): # Doesn't need to update the system explicitly pass + class PMXbps(PackageManager): backend = "xbps" @@ -289,6 +293,7 @@ class PMXbps(PackageManager): def update_system(self): check_target_env_call(["xbps", "-Suy"]) + class PMPacman(PackageManager): backend = "pacman" From 43ebcf8b616d408dec01b704d362a6533eab8bef Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 13:48:07 +0200 Subject: [PATCH 049/123] [packages] Keep package-manager list alphabetized --- src/modules/packages/packages.conf | 2 +- src/modules/packages/packages.schema.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/src/modules/packages/packages.conf b/src/modules/packages/packages.conf index 738117ea4..df477e6e9 100644 --- a/src/modules/packages/packages.conf +++ b/src/modules/packages/packages.conf @@ -7,11 +7,11 @@ # - entropy - Sabayon package manager # - packagekit - PackageKit CLI tool # - pacman - Pacman +# - pamac - Manjaro package manager # - portage - Gentoo package manager # - urpmi - Mandriva package manager # - yum - Yum RPM frontend # - zypp - Zypp RPM frontend -# - pamac - Manjaro package manager # # Not actually a package manager, but suitable for testing: # - dummy - Dummy manager, only logs diff --git a/src/modules/packages/packages.schema.yaml b/src/modules/packages/packages.schema.yaml index cdb2fefdf..ea0addd10 100644 --- a/src/modules/packages/packages.schema.yaml +++ b/src/modules/packages/packages.schema.yaml @@ -13,11 +13,11 @@ properties: - entropy - packagekit - pacman + - pamac - portage - urpmi - yum - zypp - - pamac - dummy update_db: { type: boolean, default: true } From 14fbfa72d34fc7294e17fb6891858aaf9593906b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 13:48:21 +0200 Subject: [PATCH 050/123] Changes: new contributions --- CHANGES | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/CHANGES b/CHANGES index 49e020363..594fd844c 100644 --- a/CHANGES +++ b/CHANGES @@ -6,13 +6,18 @@ website will have to do for older versions. # 3.2.27 (unreleased) # This release contains contributions from (alphabetically by first name): - - No external contributors yet + - Gaël PORTAY + - Vitor Lopes (new! welcome!) ## Core ## - - No core changes yet + - QML modules with no surrounding navigation -- this is basically a + special case for full-screen Calamares -- now have margins suitable + for full-screen use. + - PythonQt modules are increasingly on the way out. ## Modules ## - - No module changes yet + - The Manjaro package manager *pamac* has been added to those supported by + the *packages* module. # 3.2.26.1 (2020-06-23) # From 37ce49b00167a662f4b29e0154ca7945b0cbf8b4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 14:11:16 +0200 Subject: [PATCH 051/123] CMake: stop overwriting branding settings in the build dir - Only copy over branding files if they are newer Typically I have KDevelop open while working on Calamares; if I am editing settings in `branding.desc` in the build directory, then every time KDevelop runs CMake in the background, my changes (for testing branding things!) would be overwritten. Don't do that. For normal builds with a clean build directory, this doesn't change anything since the target is missing; changing a file in the source directory **will** copy it over the build directory version. --- CMakeModules/CalamaresAddBrandingSubdirectory.cmake | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CMakeModules/CalamaresAddBrandingSubdirectory.cmake b/CMakeModules/CalamaresAddBrandingSubdirectory.cmake index 9283b48a7..70fcd9279 100644 --- a/CMakeModules/CalamaresAddBrandingSubdirectory.cmake +++ b/CMakeModules/CalamaresAddBrandingSubdirectory.cmake @@ -70,7 +70,11 @@ function( calamares_add_branding NAME ) foreach( BRANDING_COMPONENT_FILE ${BRANDING_COMPONENT_FILES} ) set( _subpath ${_brand_dir}/${BRANDING_COMPONENT_FILE} ) if( NOT IS_DIRECTORY ${CMAKE_CURRENT_SOURCE_DIR}/${_subpath} ) - configure_file( ${_subpath} ${_subpath} COPYONLY ) + set( _src ${CMAKE_CURRENT_SOURCE_DIR}/${_subpath} ) + set( _dst ${CMAKE_CURRENT_BINARY_DIR}/${_subpath} ) + if( ${_src} IS_NEWER_THAN ${_dst} ) + configure_file( ${_src} ${_dst} COPYONLY ) + endif() install( FILES ${CMAKE_CURRENT_BINARY_DIR}/${_subpath} DESTINATION ${BRANDING_COMPONENT_DESTINATION}/${_subdir}/ ) From 67aa34c4a45cabf223e2f358a474f3a282d45a56 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 14:13:49 +0200 Subject: [PATCH 052/123] [calamares] Center the progress texts --- src/calamares/calamares-sidebar.qml | 1 + 1 file changed, 1 insertion(+) diff --git a/src/calamares/calamares-sidebar.qml b/src/calamares/calamares-sidebar.qml index 183a9acb2..ee75c22c8 100644 --- a/src/calamares/calamares-sidebar.qml +++ b/src/calamares/calamares-sidebar.qml @@ -35,6 +35,7 @@ Rectangle { Text { anchors.verticalCenter: parent.verticalCenter; + anchors.horizontalCenter: parent.horizontalCenter; x: parent.x + 12; color: Branding.styleString( index == ViewManager.currentStepIndex ? Branding.SidebarTextSelect : Branding.SidebarText ); text: display; From 631923abf8c06289139895dbae96b07a547b550e Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 15:12:50 +0200 Subject: [PATCH 053/123] [libcalamares] Console-logging follows -D flag exactly - Don't always log LOGEXTRA and below. --- src/libcalamares/utils/Logger.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/libcalamares/utils/Logger.cpp b/src/libcalamares/utils/Logger.cpp index 494b88659..f4ff6af3c 100644 --- a/src/libcalamares/utils/Logger.cpp +++ b/src/libcalamares/utils/Logger.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2010-2011 Christian Muehlhaeuser * SPDX-FileCopyrightText: 2014 Teo Mrnjavac * SPDX-FileCopyrightText: 2017 Adriaan de Groot @@ -95,7 +95,7 @@ log( const char* msg, unsigned int debugLevel ) logfile.flush(); } - if ( debugLevel <= LOGEXTRA || debugLevel < s_threshold ) + if ( logLevelEnabled(debugLevel) ) { QMutexLocker lock( &s_mutex ); From 3565b6806af4c578945322e44336adf3cce8e3f0 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 15:25:25 +0200 Subject: [PATCH 054/123] [libcalamares] Massage the logger output - continuations, for the console, no longer print the date + level, which makes things easier to visually group and read. - the file log is mostly unchanged, except it contains more spaces now. --- src/libcalamares/utils/Logger.cpp | 27 ++++++++++++++++----------- 1 file changed, 16 insertions(+), 11 deletions(-) diff --git a/src/libcalamares/utils/Logger.cpp b/src/libcalamares/utils/Logger.cpp index f4ff6af3c..72885d53f 100644 --- a/src/libcalamares/utils/Logger.cpp +++ b/src/libcalamares/utils/Logger.cpp @@ -50,7 +50,7 @@ static unsigned int s_threshold = static QMutex s_mutex; static const char s_Continuation[] = "\n "; -static const char s_SubEntry[] = " .. "; +static const char s_SubEntry[] = " .. "; namespace Logger @@ -79,7 +79,7 @@ logLevel() } static void -log( const char* msg, unsigned int debugLevel ) +log( const char* msg, unsigned int debugLevel, bool withTime = true ) { if ( true ) { @@ -95,13 +95,15 @@ log( const char* msg, unsigned int debugLevel ) logfile.flush(); } - if ( logLevelEnabled(debugLevel) ) + if ( logLevelEnabled( debugLevel ) ) { QMutexLocker lock( &s_mutex ); - - std::cout << QTime::currentTime().toString().toUtf8().data() << " [" - << QString::number( debugLevel ).toUtf8().data() << "]: " << msg << std::endl; - std::cout.flush(); + if ( withTime ) + { + std::cout << QTime::currentTime().toString().toUtf8().data() << " [" + << QString::number( debugLevel ).toUtf8().data() << "]: "; + } + std::cout << msg << std::endl; } } @@ -199,12 +201,15 @@ CDebug::CDebug( unsigned int debugLevel, const char* func ) CDebug::~CDebug() { - if ( m_funcinfo ) + if ( logLevelEnabled( m_debugLevel ) ) { - m_msg.prepend( s_Continuation ); // Prepending, so back-to-front - m_msg.prepend( m_funcinfo ); + if ( m_funcinfo ) + { + m_msg.prepend( s_Continuation ); // Prepending, so back-to-front + m_msg.prepend( m_funcinfo ); + } + log( m_msg.toUtf8().data(), m_debugLevel, m_funcinfo ); } - log( m_msg.toUtf8().data(), m_debugLevel ); } constexpr FuncSuppressor::FuncSuppressor( const char s[] ) From 2b2a69631fb73ed6585f0f8696e85c8f5e79ff0b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 15:29:13 +0200 Subject: [PATCH 055/123] [libcalamaresui] Suggestions for better naming of enum values --- src/libcalamaresui/Branding.h | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/libcalamaresui/Branding.h b/src/libcalamaresui/Branding.h index e84e23680..764845fec 100644 --- a/src/libcalamaresui/Branding.h +++ b/src/libcalamaresui/Branding.h @@ -83,7 +83,9 @@ public: SidebarBackground, SidebarText, SidebarTextSelect, - SidebarTextHighlight + SidebarTextSelected = SidebarTextSelect, // TODO:3.3:Remove SidebarTextSelect + SidebarTextHighlight, + SidebarBackgroundSelected = SidebarTextHighlight // TODO:3.3:Remove SidebarTextHighlight }; Q_ENUM( StyleEntry ) From a78c3683679fef38658a04f2a489ad9635867495 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 16:11:18 +0200 Subject: [PATCH 056/123] [calamares] Tweak default QML sidebar - make the rectangles slightly larger - align text to center of the rectangle - make the rectangle fill out the column; without this, the width would collapse back to 0 after a change in the model, which would draw 0-width rectangles. FIXES #1453 --- src/calamares/calamares-sidebar.qml | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/src/calamares/calamares-sidebar.qml b/src/calamares/calamares-sidebar.qml index ee75c22c8..85d1d506d 100644 --- a/src/calamares/calamares-sidebar.qml +++ b/src/calamares/calamares-sidebar.qml @@ -7,6 +7,7 @@ import QtQuick.Layouts 1.3 Rectangle { id: sideBar; color: Branding.styleString( Branding.SidebarBackground ); + anchors.fill: parent; ColumnLayout { anchors.fill: parent; @@ -27,17 +28,17 @@ Rectangle { Repeater { model: ViewManager Rectangle { - Layout.leftMargin: 12; - width: parent.width - 24; + Layout.leftMargin: 6; + Layout.rightMargin: 6; + Layout.fillWidth: true; height: 35; radius: 6; - color: Branding.styleString( index == ViewManager.currentStepIndex ? Branding.SidebarTextHighlight : Branding.SidebarBackground ); + color: Branding.styleString( index == ViewManager.currentStepIndex ? Branding.SidebarBackgroundSelected : Branding.SidebarBackground ); Text { anchors.verticalCenter: parent.verticalCenter; anchors.horizontalCenter: parent.horizontalCenter; - x: parent.x + 12; - color: Branding.styleString( index == ViewManager.currentStepIndex ? Branding.SidebarTextSelect : Branding.SidebarText ); + color: Branding.styleString( index == ViewManager.currentStepIndex ? Branding.SidebarTextSelected : Branding.SidebarText ); text: display; } } From 948c078e1a11d86d7f06aa2ba8968cd4869c3c85 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 23:03:12 +0200 Subject: [PATCH 057/123] [partition] winnow floppy drives - don't list floppy drives FIXES #1393 --- src/modules/partition/core/DeviceList.cpp | 20 +++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/src/modules/partition/core/DeviceList.cpp b/src/modules/partition/core/DeviceList.cpp index 944940d9a..1eb7d26eb 100644 --- a/src/modules/partition/core/DeviceList.cpp +++ b/src/modules/partition/core/DeviceList.cpp @@ -92,6 +92,19 @@ isIso9660( const Device* device ) return false; } +static inline bool +isZRam( const Device* device ) +{ + const QString path = device->deviceNode(); + return path.startswith( "/dev/zram" ); +} + +static inline bool +isFloppyDrive( const Device* device ) +{ + const QString path = device->deviceNode(); + return path.startswith( "/dev/fd" ) || path.startswith( "/dev/floppy" ); +} static inline QDebug& operator<<( QDebug& s, QList< Device* >::iterator& it ) @@ -138,11 +151,16 @@ getDevices( DeviceType which, qint64 minimumSize ) cDebug() << Logger::SubEntry << "Skipping nullptr device"; it = erase( devices, it ); } - else if ( ( *it )->deviceNode().startsWith( "/dev/zram" ) ) + else if ( isZRam( *it ) ) { cDebug() << Logger::SubEntry << "Removing zram" << it; it = erase( devices, it ); } + else if ( isFloppyDrive( ( *it ) ) ) + { + cDebug() << Logger::SubEntry << "Removing floppy disk" << it; + it = erase( devices, it ); + } else if ( writableOnly && hasRootPartition( *it ) ) { cDebug() << Logger::SubEntry << "Removing device with root filesystem (/) on it" << it; From 313531bc4b7954c070f842c3ea223838151ed221 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 23:04:39 +0200 Subject: [PATCH 058/123] [partition] Remove unused parameter - there are no consumers for checking-the-capacity-of-the-drive This parameter was introduced in 3cd18fd285 as "preparatory work" but never completed. The architecture of the PartitionCoreModule makes it very difficult to get the necessary parameters to the right place, and it would probably be better to put a SortFilterProxyModel in front of a partitioning model anyway. Since the display code can already filter on size, just drop this one. --- src/modules/partition/core/DeviceList.cpp | 7 +------ src/modules/partition/core/DeviceList.h | 2 +- 2 files changed, 2 insertions(+), 7 deletions(-) diff --git a/src/modules/partition/core/DeviceList.cpp b/src/modules/partition/core/DeviceList.cpp index 1eb7d26eb..72786d5a5 100644 --- a/src/modules/partition/core/DeviceList.cpp +++ b/src/modules/partition/core/DeviceList.cpp @@ -125,7 +125,7 @@ erase( DeviceList& l, DeviceList::iterator& it ) } QList< Device* > -getDevices( DeviceType which, qint64 minimumSize ) +getDevices( DeviceType which ) { bool writableOnly = ( which == DeviceType::WritableOnly ); @@ -171,11 +171,6 @@ getDevices( DeviceType which, qint64 minimumSize ) cDebug() << Logger::SubEntry << "Removing device with iso9660 filesystem (probably a CD) on it" << it; it = erase( devices, it ); } - else if ( ( minimumSize >= 0 ) && !( ( *it )->capacity() > minimumSize ) ) - { - cDebug() << Logger::SubEntry << "Removing too-small" << it; - it = erase( devices, it ); - } else { ++it; diff --git a/src/modules/partition/core/DeviceList.h b/src/modules/partition/core/DeviceList.h index 6823d6951..51c71feeb 100644 --- a/src/modules/partition/core/DeviceList.h +++ b/src/modules/partition/core/DeviceList.h @@ -45,7 +45,7 @@ enum class DeviceType * greater than @p minimumSize will be returned. * @return a list of Devices meeting this criterium. */ -QList< Device* > getDevices( DeviceType which = DeviceType::All, qint64 minimumSize = -1 ); +QList< Device* > getDevices( DeviceType which = DeviceType::All ); } // namespace PartUtils From 7f1a59f02b207269916a5975b1672655fd371b59 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 7 Jul 2020 23:46:51 +0200 Subject: [PATCH 059/123] [partition] Fix typo --- src/modules/partition/core/DeviceList.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/modules/partition/core/DeviceList.cpp b/src/modules/partition/core/DeviceList.cpp index 72786d5a5..041801b9e 100644 --- a/src/modules/partition/core/DeviceList.cpp +++ b/src/modules/partition/core/DeviceList.cpp @@ -96,14 +96,14 @@ static inline bool isZRam( const Device* device ) { const QString path = device->deviceNode(); - return path.startswith( "/dev/zram" ); + return path.startsWith( "/dev/zram" ); } static inline bool isFloppyDrive( const Device* device ) { const QString path = device->deviceNode(); - return path.startswith( "/dev/fd" ) || path.startswith( "/dev/floppy" ); + return path.startsWith( "/dev/fd" ) || path.startsWith( "/dev/floppy" ); } static inline QDebug& From 240c703549c7f073590dc45783154c80f73903d4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 8 Jul 2020 11:12:27 +0200 Subject: [PATCH 060/123] [partition] Don't leak the PM core object --- src/modules/partition/gui/PartitionViewStep.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/src/modules/partition/gui/PartitionViewStep.cpp b/src/modules/partition/gui/PartitionViewStep.cpp index a583a4b96..b0142a82a 100644 --- a/src/modules/partition/gui/PartitionViewStep.cpp +++ b/src/modules/partition/gui/PartitionViewStep.cpp @@ -122,6 +122,7 @@ PartitionViewStep::~PartitionViewStep() { m_manualPartitionPage->deleteLater(); } + delete m_core; } From a91edfef89b9323a1be8da99bb69dd985cb99379 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 8 Jul 2020 13:34:38 +0200 Subject: [PATCH 061/123] [netinstall] auto-resize the columns - previously, the first column (name) was sized to show the names **that were visible at startup**, which fails when there are long names hidden in groups that are not expanded immediately. - change the columns to resize according to the contents; this makes the descriptions jump to the right as the name column gets wider. FIXES #1448 --- src/modules/netinstall/NetInstallPage.cpp | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/src/modules/netinstall/NetInstallPage.cpp b/src/modules/netinstall/NetInstallPage.cpp index 80689e6d2..0d8dc5960 100644 --- a/src/modules/netinstall/NetInstallPage.cpp +++ b/src/modules/netinstall/NetInstallPage.cpp @@ -40,6 +40,7 @@ NetInstallPage::NetInstallPage( Config* c, QWidget* parent ) , ui( new Ui::Page_NetInst ) { ui->setupUi( this ); + ui->groupswidget->header()->setSectionResizeMode( QHeaderView::ResizeToContents ); ui->groupswidget->setModel( c->model() ); connect( c, &Config::statusChanged, this, &NetInstallPage::setStatus ); connect( c, &Config::statusReady, this, &NetInstallPage::expandGroups ); @@ -88,8 +89,6 @@ NetInstallPage::expandGroups() ui->groupswidget->setExpanded( index, true ); } } - // Make sure all the group names are visible - ui->groupswidget->resizeColumnToContents(0); } void From da1cc7c3a56102a06b2484ea958bb4419467fbac Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 9 Jul 2020 08:45:41 +0200 Subject: [PATCH 062/123] [libcalamaresui] Don't clear the map when inserting strings - the documentation doesn't say the map is cleared, and the one place this function is used doesn't need that either. - make type of config explicit --- src/libcalamaresui/Branding.cpp | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/src/libcalamaresui/Branding.cpp b/src/libcalamaresui/Branding.cpp index a5909fd61..cf66097c9 100644 --- a/src/libcalamaresui/Branding.cpp +++ b/src/libcalamaresui/Branding.cpp @@ -132,9 +132,7 @@ loadStrings( QMap< QString, QString >& map, throw YAML::Exception( YAML::Mark(), std::string( "Branding configuration is not a map: " ) + key ); } - const auto& config = CalamaresUtils::yamlMapToVariant( doc[ key ] ); - - map.clear(); + const QVariantMap config = CalamaresUtils::yamlMapToVariant( doc[ key ] ); for ( auto it = config.constBegin(); it != config.constEnd(); ++it ) { map.insert( it.key(), transform( it.value().toString() ) ); From a58d59d86c86f9e0a58e2e98094d01bc2178b3aa Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 9 Jul 2020 10:45:28 +0200 Subject: [PATCH 063/123] [libcalamares] Minor documentation on Yaml.* --- src/libcalamares/utils/Yaml.cpp | 6 ++---- src/libcalamares/utils/Yaml.h | 14 ++++++++++---- 2 files changed, 12 insertions(+), 8 deletions(-) diff --git a/src/libcalamares/utils/Yaml.cpp b/src/libcalamares/utils/Yaml.cpp index 0c7b6787f..af73e2825 100644 --- a/src/libcalamares/utils/Yaml.cpp +++ b/src/libcalamares/utils/Yaml.cpp @@ -1,7 +1,8 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2014 Teo Mrnjavac * SPDX-FileCopyrightText: 2017-2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later * * * Calamares is free software: you can redistribute it and/or modify @@ -17,8 +18,6 @@ * You should have received a copy of the GNU General Public License * along with Calamares. If not, see . * - * SPDX-License-Identifier: GPL-3.0-or-later - * License-Filename: LICENSE * */ #include "Yaml.h" @@ -125,7 +124,6 @@ yamlToStringList( const YAML::Node& listNode ) return l; } - void explainYamlException( const YAML::Exception& e, const QByteArray& yamlData, const char* label ) { diff --git a/src/libcalamares/utils/Yaml.h b/src/libcalamares/utils/Yaml.h index c14639447..0f9631fa2 100644 --- a/src/libcalamares/utils/Yaml.h +++ b/src/libcalamares/utils/Yaml.h @@ -1,7 +1,8 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2014 Teo Mrnjavac * SPDX-FileCopyrightText: 2017-2018 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later * * * Calamares is free software: you can redistribute it and/or modify @@ -17,11 +18,16 @@ * You should have received a copy of the GNU General Public License * along with Calamares. If not, see . * - * SPDX-License-Identifier: GPL-3.0-or-later - * License-Filename: LICENSE * */ +/* + * YAML conversions and YAML convenience header. + * + * Includes the system YAMLCPP headers without warnings (by switching off + * the expected warnings) and provides a handful of methods for + * converting between YAML and QVariant. + */ #ifndef UTILS_YAML_H #define UTILS_YAML_H @@ -50,7 +56,7 @@ class QFileInfo; #pragma clang diagnostic pop #endif -/// @brief Appends all te elements of @p node to the string list @p v +/// @brief Appends all the elements of @p node to the string list @p v void operator>>( const YAML::Node& node, QStringList& v ); namespace CalamaresUtils From e1f4224bedc5db2dc03be985f60417e27ab789e1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 9 Jul 2020 11:28:09 +0200 Subject: [PATCH 064/123] [libcalamaresui] Fix slideshowAPI loading In 022045ae05 a regression was introduced: if no *slideshowAPI* is specified in the branding file, Calamares refuses to start, with a YAML failure. Before the refactoring, we had `YAML::Node doc` and looked up the *slideshowAPI* in it with `doc["slideshowAPI"]`. After the refactoring, we had `const YAML::Node& doc`. The `const` makes all the difference: - subscripting a non-existent key in a mutable Node silently returns a Null node (and possibly inserts the key); - subscripting a non-existent key in a const Node returns an invalid or undefined node. Calling IsNull() or IsScalar() on a Null node works: the functions return a bool. Calling them on an invalid node throws an exception. So in the **const** case, this code can throws an exception that it doesn't in the non-const case: `doc[ "slideshowAPI" ].IsScalar()` - Massage the code to check for validity before checking for scalar - Add a `get()` that produces more useful exception types when looking up an invalid key - Use `get()` to lookup the slideshow node just once. --- src/libcalamaresui/Branding.cpp | 29 ++++++++++++++++++++++------- 1 file changed, 22 insertions(+), 7 deletions(-) diff --git a/src/libcalamaresui/Branding.cpp b/src/libcalamaresui/Branding.cpp index cf66097c9..4cfe7ea40 100644 --- a/src/libcalamaresui/Branding.cpp +++ b/src/libcalamaresui/Branding.cpp @@ -367,7 +367,7 @@ Branding::WindowDimension::isValid() const } -/// @brief Guard against cases where the @p key doesn't exist in @p doc +/// @brief Get a string (empty is @p key doesn't exist) from @p key in @p doc static inline QString getString( const YAML::Node& doc, const char* key ) { @@ -378,6 +378,18 @@ getString( const YAML::Node& doc, const char* key ) return QString(); } +/// @brief Get a node (throws if @p key doesn't exist) from @p key in @p doc +static inline YAML::Node +get( const YAML::Node& doc, const char* key ) +{ + auto r = doc[ key ]; + if ( !r.IsDefined() ) + { + throw YAML::KeyNotFound( YAML::Mark::null_mark(), std::string( key ) ); + } + return r; +} + static inline void flavorAndSide( const YAML::Node& doc, const char* key, Branding::PanelFlavor& flavor, Branding::PanelSide& side ) { @@ -514,10 +526,11 @@ Branding::initSlideshowSettings( const YAML::Node& doc ) { QDir componentDir( componentDirectory() ); - if ( doc[ "slideshow" ].IsSequence() ) + auto slideshow = get( doc, "slideshow" ); + if ( slideshow.IsSequence() ) { QStringList slideShowPictures; - doc[ "slideshow" ] >> slideShowPictures; + slideshow >> slideShowPictures; for ( int i = 0; i < slideShowPictures.count(); ++i ) { QString pathString = slideShowPictures[ i ]; @@ -535,9 +548,9 @@ Branding::initSlideshowSettings( const YAML::Node& doc ) m_slideshowAPI = -1; } #ifdef WITH_QML - else if ( doc[ "slideshow" ].IsScalar() ) + else if ( slideshow.IsScalar() ) { - QString slideshowPath = QString::fromStdString( doc[ "slideshow" ].as< std::string >() ); + QString slideshowPath = QString::fromStdString( slideshow.as< std::string >() ); QFileInfo slideshowFi( componentDir.absoluteFilePath( slideshowPath ) ); if ( !slideshowFi.exists() || !slideshowFi.fileName().toLower().endsWith( ".qml" ) ) bail( m_descriptorPath, @@ -546,7 +559,9 @@ Branding::initSlideshowSettings( const YAML::Node& doc ) m_slideshowPath = slideshowFi.absoluteFilePath(); // API choice is relevant for QML slideshow - int api = doc[ "slideshowAPI" ].IsScalar() ? doc[ "slideshowAPI" ].as< int >() : -1; + // TODO:3.3: use get(), make slideshowAPI required + int api + = ( doc[ "slideshowAPI" ] && doc[ "slideshowAPI" ].IsScalar() ) ? doc[ "slideshowAPI" ].as< int >() : -1; if ( ( api < 1 ) || ( api > 2 ) ) { cWarning() << "Invalid or missing *slideshowAPI* in branding file."; @@ -555,7 +570,7 @@ Branding::initSlideshowSettings( const YAML::Node& doc ) m_slideshowAPI = api; } #else - else if ( doc[ "slideshow" ].IsScalar() ) + else if ( slideshow.IsScalar() ) { cWarning() << "Invalid *slideshow* setting, must be list of images."; } From cfb0bebe0edcaa4acbf51f83e2b969c9392e5566 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 11 Jul 2020 16:27:27 +0200 Subject: [PATCH 065/123] Changes: pre-release housekeeping --- CHANGES | 4 +++- CMakeLists.txt | 2 +- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGES b/CHANGES index 594fd844c..12b7c36e1 100644 --- a/CHANGES +++ b/CHANGES @@ -3,7 +3,7 @@ contributors are listed. Note that Calamares does not have a historical changelog -- this log starts with version 3.2.0. The release notes on the website will have to do for older versions. -# 3.2.27 (unreleased) # +# 3.2.27 (2020-07-11) # This release contains contributions from (alphabetically by first name): - Gaël PORTAY @@ -18,6 +18,8 @@ This release contains contributions from (alphabetically by first name): ## Modules ## - The Manjaro package manager *pamac* has been added to those supported by the *packages* module. + - The *netinstall* module has had some minor UI tweaks. + - Partitioning now tries harder to avoid floppy drives. # 3.2.26.1 (2020-06-23) # diff --git a/CMakeLists.txt b/CMakeLists.txt index b653f0996..7e049ca97 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -46,7 +46,7 @@ # TODO:3.3: Require CMake 3.12 cmake_minimum_required( VERSION 3.3 FATAL_ERROR ) project( CALAMARES - VERSION 3.2.26.1 + VERSION 3.2.27 LANGUAGES C CXX ) set( CALAMARES_VERSION_RC 0 ) # Set to 0 during release cycle, 1 during development From 97bdb9b4f7014fafa4a7a9b171c68c9aff49614a Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Sat, 11 Jul 2020 16:29:35 +0200 Subject: [PATCH 066/123] i18n: [calamares] Automatic merge of Transifex translations --- lang/calamares_az.ts | 58 +++++++++++++++--------------- lang/calamares_az_AZ.ts | 58 +++++++++++++++--------------- lang/calamares_bn.ts | 2 +- lang/calamares_da.ts | 10 +++--- lang/calamares_de.ts | 14 ++++---- lang/calamares_fi_FI.ts | 22 +++++++----- lang/calamares_lt.ts | 12 +++---- lang/calamares_pt_BR.ts | 79 ++++++++++++++++++++++------------------- lang/calamares_sv.ts | 4 +-- 9 files changed, 136 insertions(+), 123 deletions(-) diff --git a/lang/calamares_az.ts b/lang/calamares_az.ts index c4ab24305..bfc079749 100644 --- a/lang/calamares_az.ts +++ b/lang/calamares_az.ts @@ -24,7 +24,7 @@ Master Boot Record of %1 - %1 Əsas ön yükləyici qurmaq + %1 əsas Ön yükləyici qurmaq @@ -132,7 +132,7 @@ Job failed (%1) - Tapşırığı yerinə yetirmək mümkün olmadı (%1) + (%1) Tapşırığı yerinə yetirmək mümkün olmadı @@ -199,7 +199,7 @@ Main script file %1 for python job %2 is not readable. - %1 Əsas əmrlər faylı %2 python işləri üçün açıla bilmir. + %1 əsas əmrlər faylı %2 python işləri üçün açıla bilmir. @@ -311,7 +311,7 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. + %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i, sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. @@ -433,22 +433,22 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Unknown exception type - Naməlum istisna halı + Naməlum istisna hal unparseable Python error - görünməmiş python xətası + görünməmiş Python xətası unparseable Python traceback - görünməmiş python izi + görünməmiş Python izi Unfetchable Python error. - Oxunmayan python xətası. + Oxunmayan Python xətası.
@@ -530,7 +530,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. Having a GPT partition table and <strong>fat32 512Mb /boot partition is a must for UEFI installs</strong>, either use an existing without formatting or create one. - <strong>Əli ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir.</strong>ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. + <strong>Əl ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir</strong>, ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. @@ -583,7 +583,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font> hal-hazırda seçilmiş diskdəki bütün verilənləri siləcəkdir. + <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font>seçimi hal-hazırda, seçilmiş diskdəki bütün verilənləri siləcəkdir. @@ -694,7 +694,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - Əmr quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint aşkar edilmədi. + Əmr, quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint - KökQoşulmaNöqtəsi - aşkar edilmədi. @@ -772,7 +772,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. This program will ask you some questions and set up %2 on your computer. - Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. + Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. @@ -914,7 +914,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Creating a new partition table will delete all existing data on the disk. - Bölmələr Cədvəli yaratmaq bütün diskdə olan məlumatların hamısını siləcək. + Bölmələr Cədvəli yaratmaq, bütün diskdə olan məlumatların hamısını siləcək. @@ -1203,7 +1203,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Form - Forma + Format @@ -1223,7 +1223,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Please enter the same passphrase in both boxes. - Lütfən hər iki sahəyə eyni şifrəni daxil edin. + Lütfən, hər iki sahəyə eyni şifrəni daxil edin. @@ -1279,17 +1279,17 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - <h1>Hər şey hazırdır.</h1><br/>%1 sizin kopyuterə qurulacaqdır.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. + <h1>Hər şey hazırdır.</h1><br/>%1 kompyuterinizə qurulub.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağlatdığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - <h1>Hər şey hazırdır.</h1><br/>%1 sizin kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. + <h1>Hər şey hazırdır.</h1><br/>%1 kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. @@ -1299,12 +1299,12 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. + <h1>Quraşdırılma alınmadı</h1><br/>%1 kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. - <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. + <h1>Quraşdırılma alınmadı</h1><br/>%1 kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. @@ -1332,7 +1332,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The installation of %1 is complete. - %1in quraşdırılması başa çatdı. + %1-n quraşdırılması başa çatdı. @@ -1340,7 +1340,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4-də %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). + %4 üzərində %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). @@ -1368,7 +1368,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. There is not enough drive space. At least %1 GiB is required. - Kifayət qədər disk sahəsi yoxdur. əƏn azı %1 QB tələb olunur. + Kifayət qədər disk sahəsi yoxdur. Ən azı %1 QB tələb olunur. @@ -1403,7 +1403,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. is running the installer as an administrator (root) - quraşdırıcı adminstrator (root) imtiyazları ilə başladılması + quraşdırıcını adminstrator (root) imtiyazları ilə başladılması @@ -1428,7 +1428,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The screen is too small to display the installer. - Bu quarşdırıcını göstəmək üçün ekran çox kiçikdir. + Bu quarşdırıcını göstərmək üçün ekran çox kiçikdir. @@ -1680,7 +1680,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Zone: - Zona: + Saat qurşağı: @@ -3845,7 +3845,7 @@ Output: Layouts - Qatları + Qatlar @@ -3866,7 +3866,7 @@ Output: Test your keyboard - klaviaturanızı yoxlayın + Klaviaturanızı yoxlayın @@ -3879,7 +3879,7 @@ Output: Numbers and dates locale set to %1 - Yerli saylvə tarix formatlarını %1 qurmaq + Yerli say və tarix formatlarını %1 qurmaq diff --git a/lang/calamares_az_AZ.ts b/lang/calamares_az_AZ.ts index f329495fc..3368ce761 100644 --- a/lang/calamares_az_AZ.ts +++ b/lang/calamares_az_AZ.ts @@ -24,7 +24,7 @@ Master Boot Record of %1 - %1 Əsas ön yükləyici qurmaq + %1 əsas Ön yükləyici qurmaq @@ -132,7 +132,7 @@ Job failed (%1) - Tapşırığı yerinə yetirmək mümkün olmadı (%1) + (%1) Tapşırığı yerinə yetirmək mümkün olmadı @@ -199,7 +199,7 @@ Main script file %1 for python job %2 is not readable. - %1 Əsas əmrlər faylı %2 python işləri üçün açıla bilmir. + %1 əsas əmrlər faylı %2 python işləri üçün açıla bilmir. @@ -311,7 +311,7 @@ %1 can not be installed. Calamares was unable to load all of the configured modules. This is a problem with the way Calamares is being used by the distribution. - %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. + %1 quraşdırılmadı. Calamares konfiqurasiya edilmiş modulların hamısını yükləyə bilmədi. Bu Calamares'i, sizin distribütör tərəfindən necə istifadə edilməsindən asılı olan bir problemdir. @@ -433,22 +433,22 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Unknown exception type - Naməlum istisna halı + Naməlum istisna hal unparseable Python error - görünməmiş python xətası + görünməmiş Python xətası unparseable Python traceback - görünməmiş python izi + görünməmiş Python izi Unfetchable Python error. - Oxunmayan python xətası. + Oxunmayan Python xətası. @@ -530,7 +530,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <strong>Manual partitioning</strong><br/>You can create or resize partitions yourself. Having a GPT partition table and <strong>fat32 512Mb /boot partition is a must for UEFI installs</strong>, either use an existing without formatting or create one. - <strong>Əli ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir.</strong>ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. + <strong>Əl ilə bölmək</strong><br/>Siz disk sahəsini özünüz bölə və ölçülərini təyin edə bilərsiniz. GPT disk bölmələri cədvəli və <strong>fat32 512Mb /boot bölməsi UEFI sistemi üçün vacibdir</strong>, ya da mövcud bir bölmə varsa onu istifadə edin, və ya başqa birini yaradın. @@ -583,7 +583,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <strong>Erase disk</strong><br/>This will <font color="red">delete</font> all data currently present on the selected storage device. - <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font> hal-hazırda seçilmiş diskdəki bütün verilənləri siləcəkdir. + <strong>Diski təmizləmək</strong><br/> <font color="red">Silmək</font>seçimi hal-hazırda, seçilmiş diskdəki bütün verilənləri siləcəkdir. @@ -694,7 +694,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The command runs in the host environment and needs to know the root path, but no rootMountPoint is defined. - Əmr quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint aşkar edilmədi. + Əmr, quraşdırı mühitində icra olunur və kök qovluğa yolu bilinməlidir, lakin rootMountPoint - KökQoşulmaNöqtəsi - aşkar edilmədi. @@ -772,7 +772,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. This program will ask you some questions and set up %2 on your computer. - Bu proqram sizə bəi suallar verəcək və %2 sizin komputerinizə qurmağa kömək edəcək. + Bu proqram sizə bəzi suallar verəcək və %2 əməliyyat sistemini sizin komputerinizə qurmağa kömək edəcək. @@ -914,7 +914,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Creating a new partition table will delete all existing data on the disk. - Bölmələr Cədvəli yaratmaq bütün diskdə olan məlumatların hamısını siləcək. + Bölmələr Cədvəli yaratmaq, bütün diskdə olan məlumatların hamısını siləcək. @@ -1203,7 +1203,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Form - Forma + Format @@ -1223,7 +1223,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Please enter the same passphrase in both boxes. - Lütfən hər iki sahəyə eyni şifrəni daxil edin. + Lütfən, hər iki sahəyə eyni şifrəni daxil edin. @@ -1279,17 +1279,17 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <h1>All done.</h1><br/>%1 has been set up on your computer.<br/>You may now start using your new system. - <h1>Hər şey hazırdır.</h1><br/>%1 sizin kopyuterə qurulacaqdır.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. + <h1>Hər şey hazırdır.</h1><br/>%1 kompyuterinizə qurulub.<br/>Siz indi yeni sisteminizi başlada bilərsiniz. <html><head/><body><p>When this box is checked, your system will restart immediately when you click on <span style="font-style:italic;">Done</span> or close the setup program.</p></body></html> - <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağladığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> + <html><head/><body><p>Bu çərçivə işarələnərsə siz <span style="font-style:italic;">Hazır</span> düyməsinə vurduğunuz və ya quraşdırıcı proqramı bağlatdığınız zaman sisteminiz dərhal yenidən başladılacaqdır.</p></body></html> <h1>All done.</h1><br/>%1 has been installed on your computer.<br/>You may now restart into your new system, or continue using the %2 Live environment. - <h1>Hər şey hazırdır.</h1><br/>%1 sizin kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. + <h1>Hər şey hazırdır.</h1><br/>%1 kompyuterinizə quraşdırıldı.<br/>Siz yenidən başladaraq yeni sisteminizə daxil ola və ya %2 Canlı mühitini istifadə etməyə davam edə bilərsiniz. @@ -1299,12 +1299,12 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. <h1>Setup Failed</h1><br/>%1 has not been set up on your computer.<br/>The error message was: %2. - <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. + <h1>Quraşdırılma alınmadı</h1><br/>%1 kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. <h1>Installation Failed</h1><br/>%1 has not been installed on your computer.<br/>The error message was: %2. - <h1>Quraşdırılma alınmadı</h1><br/>%1 sizin kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. + <h1>Quraşdırılma alınmadı</h1><br/>%1 kompyuterinizə quraşdırıla bilmədi.<br/>Baş vermiş xəta: %2. @@ -1332,7 +1332,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The installation of %1 is complete. - %1in quraşdırılması başa çatdı. + %1-n quraşdırılması başa çatdı. @@ -1340,7 +1340,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Format partition %1 (file system: %2, size: %3 MiB) on %4. - %4-də %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). + %4 üzərində %1 bölməsini format etmək (fayl sistemi: %2, ölçüsü: %3 MB). @@ -1368,7 +1368,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. There is not enough drive space. At least %1 GiB is required. - Kifayət qədər disk sahəsi yoxdur. əƏn azı %1 QB tələb olunur. + Kifayət qədər disk sahəsi yoxdur. Ən azı %1 QB tələb olunur. @@ -1403,7 +1403,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. is running the installer as an administrator (root) - quraşdırıcı adminstrator (root) imtiyazları ilə başladılması + quraşdırıcını adminstrator (root) imtiyazları ilə başladılması @@ -1428,7 +1428,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. The screen is too small to display the installer. - Bu quarşdırıcını göstəmək üçün ekran çox kiçikdir. + Bu quarşdırıcını göstərmək üçün ekran çox kiçikdir. @@ -1680,7 +1680,7 @@ Bu proqramdan çıxılacaq və bütün dəyişikliklər itiriləcəkdir. Zone: - Zona: + Saat qurşağı: @@ -3845,7 +3845,7 @@ Output: Layouts - Qatları + Qatlar @@ -3866,7 +3866,7 @@ Output: Test your keyboard - klaviaturanızı yoxlayın + Klaviaturanızı yoxlayın @@ -3879,7 +3879,7 @@ Output: Numbers and dates locale set to %1 - Yerli saylvə tarix formatlarını %1 qurmaq + Yerli say və tarix formatlarını %1 qurmaq diff --git a/lang/calamares_bn.ts b/lang/calamares_bn.ts index afb7f16ee..bd1c887c2 100644 --- a/lang/calamares_bn.ts +++ b/lang/calamares_bn.ts @@ -1763,7 +1763,7 @@ The installer will quit and all changes will be lost. Configuration Error - + কনফিগারেশন ত্রুটি diff --git a/lang/calamares_da.ts b/lang/calamares_da.ts index 76995d9d6..e9b9ed1d0 100644 --- a/lang/calamares_da.ts +++ b/lang/calamares_da.ts @@ -1781,7 +1781,9 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt.Please select your preferred location on the map so the installer can suggest the locale and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. - + Vælg venligst din foretrukne placering på kortet, så installationsprogrammet kan foreslå lokalitets- + og tidszoneindstillinger til dig. Du kan finjustere de foreslåede indstillinger nedenfor. Søg på kortet ved ved at trække + for at flytte og brug knapperne +/- for at zoome ind/ud eller brug muserulning til at zoome. @@ -1932,7 +1934,7 @@ Installationsprogrammet vil stoppe og alle ændringer vil gå tabt. To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. - + For at kunne vælge en tidszone skal du sørge for at der er forbindelse til internettet. Genstart installationsprogrammet efter forbindelsen er blevet oprettet. Du kan finjustere sprog- og lokalitetsindstillinger nedenfor. @@ -3503,7 +3505,7 @@ setting Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - + Sporing hjælper %1 med at se hvor ofte den installeres, hvilken hardware den installeres på og hvilke programmer der bruges. Klik på hjælpeikonet ved siden af hvert område for at se hvad der sendes. @@ -3518,7 +3520,7 @@ setting By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - + Vælges dette sender du regelmæssigt information om din <b>bruger</b>installation, hardware, programmer og programmernes anvendelsesmønstre, til %1. diff --git a/lang/calamares_de.ts b/lang/calamares_de.ts index b59fe4f38..9098ab48c 100644 --- a/lang/calamares_de.ts +++ b/lang/calamares_de.ts @@ -777,17 +777,17 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. <h1>Welcome to the Calamares setup program for %1</h1> - + <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> <h1>Welcome to %1 setup</h1> - + <h1>Willkommen zur Installation von %1</h1> <h1>Welcome to the Calamares installer for %1</h1> - + <h1>Willkommen bei Calamares, dem Installationsprogramm für %1</h1> @@ -1927,7 +1927,7 @@ Dies wird das Installationsprogramm beenden und alle Änderungen gehen verloren. Timezone: %1 - + Zeitzone: %1 @@ -3866,17 +3866,17 @@ Liberating Software. System language set to %1 - + Systemsprache eingestellt auf %1 Numbers and dates locale set to %1 - + Zahlen- und Datumsformat eingestellt auf %1 Change - + Ändern diff --git a/lang/calamares_fi_FI.ts b/lang/calamares_fi_FI.ts index e3e1baf4a..ec44e74f7 100644 --- a/lang/calamares_fi_FI.ts +++ b/lang/calamares_fi_FI.ts @@ -1782,7 +1782,9 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä.Please select your preferred location on the map so the installer can suggest the locale and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. - + Valitse sijainti kartalla, jotta asentaja voi ehdottaa paikalliset ja aikavyöhykeen asetukset. + Voit hienosäätää alla olevia asetuksia. Etsi kartalta vetämällä ja suurenna/pienennä +/- -painikkeella tai käytä +hiiren vieritystä skaalaamiseen. @@ -1933,7 +1935,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. - + Jos haluat valita aikavyöhykkeen niin varmista, että olet yhteydessä Internetiin. Käynnistä asennusohjelma uudelleen yhteyden muodostamisen jälkeen. Voit hienosäätää alla olevia kieli- ja kieliasetuksia. @@ -3493,7 +3495,7 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Napsauta tätä <span style=" font-weight:600;">jos et halua lähettää mitään</span> tietoja asennuksesta.</p></body></html> @@ -3503,22 +3505,22 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - + Seuranta auttaa %1 näkemään, kuinka usein se asennetaan, mihin laitteistoon se on asennettu ja mihin sovelluksiin sitä käytetään. Jos haluat nähdä, mitä lähetetään, napsauta kunkin alueen vieressä olevaa ohjekuvaketta. By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - + Valitsemalla tämän lähetät tietoja asennuksesta ja laitteistosta. Nämä tiedot lähetetään vain </b>kerran</b> asennuksen päätyttyä. By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - + Valitsemalla tämän lähetät määräajoin tietoja <b>koneesi</b> asennuksesta, laitteistosta ja sovelluksista, %1:lle. By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - + Valitsemalla tämän lähetät säännöllisesti tietoja <b>käyttäjän</b> asennuksesta, laitteistosta, sovelluksista ja sovellusten käyttötavoista %1:lle. @@ -3807,13 +3809,15 @@ Asennus voi jatkua, mutta jotkin toiminnot saattavat olla pois käytöstä. <h1>Languages</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Kielet</h1> </br> + Järjestelmän sijaintiasetukset vaikuttaa joidenkin komentorivin käyttöliittymän elementtien kieliin ja merkistöihin. Nykyinen asetus on <strong>%1</strong>. <h1>Locales</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Sijainti</h1> </br> + Järjestelmän sijaintiasetukset vaikuttaa joidenkin komentorivin käyttöliittymän elementtien kieliin ja merkistöihin. Nykyinen asetus on <strong>%1</strong>. diff --git a/lang/calamares_lt.ts b/lang/calamares_lt.ts index aa51d8669..261317f2c 100644 --- a/lang/calamares_lt.ts +++ b/lang/calamares_lt.ts @@ -781,22 +781,22 @@ Diegimo programa užbaigs darbą ir visi pakeitimai bus prarasti. <h1>Welcome to the Calamares setup program for %1</h1> - + </h1>Jus sveikina Calamares sąrankos programa, skirta %1 sistemai.</h1> <h1>Welcome to %1 setup</h1> - + <h1>Jus sveikina %1 sąranka</h1> <h1>Welcome to the Calamares installer for %1</h1> - + <h1>Jus sveikina Calamares diegimo programa, skirta %1 sistemai</h1> <h1>Welcome to the %1 installer</h1> - + <h1>Jus sveikina %1 diegimo programa</h1> @@ -3870,7 +3870,7 @@ Išvestis: System language set to %1 - + Sistemos kalba nustatyta į %1 @@ -3880,7 +3880,7 @@ Išvestis: Change - + Keisti diff --git a/lang/calamares_pt_BR.ts b/lang/calamares_pt_BR.ts index ab98dc800..f65ecd0ee 100644 --- a/lang/calamares_pt_BR.ts +++ b/lang/calamares_pt_BR.ts @@ -230,7 +230,7 @@ Requirements checking for module <i>%1</i> is complete. - A verificação de requerimentos para o módulo <i>%1</i> está completa. + A verificação de requisitos para o módulo <i>%1</i> está completa. @@ -251,7 +251,7 @@ System-requirements checking is complete. - Verificação de requerimentos do sistema completa. + Verificação de requisitos do sistema completa. @@ -722,7 +722,7 @@ O instalador será fechado e todas as alterações serão perdidas. The numbers and dates locale will be set to %1. - O local dos números e datas será definido como %1. + A localidade dos números e datas será definida como %1. @@ -752,7 +752,7 @@ O instalador será fechado e todas as alterações serão perdidas. This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - Este computador não satisfaz os requerimentos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> + Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> @@ -762,7 +762,7 @@ O instalador será fechado e todas as alterações serão perdidas. This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requerimentos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funções podem ser desativadas. + Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas alguns recursos podem ser desativados. @@ -777,22 +777,22 @@ O instalador será fechado e todas as alterações serão perdidas. <h1>Welcome to the Calamares setup program for %1</h1> - + <h1>Bem-vindo ao programa de configuração Calamares para %1</h1> <h1>Welcome to %1 setup</h1> - + <h1>Bem-vindo à configuração de %1</h1> <h1>Welcome to the Calamares installer for %1</h1> - + <h1>Bem-vindo ao instalador Calamares para %1</h1> <h1>Welcome to the %1 installer</h1> - + <h1>Bem-vindo ao instalador de %1</h1> @@ -1546,7 +1546,7 @@ O instalador será fechado e todas as alterações serão perdidas. The system locale setting affects the language and character set for some command line user interface elements.<br/>The current setting is <strong>%1</strong>. - A configuração de localidade do sistema afeta a linguagem e o conjunto de caracteres para algumas linhas de comando e elementos da interface do usuário.<br/>A configuração atual é <strong>%1</strong>. + A configuração de localidade do sistema afeta o idioma e o conjunto de caracteres para algumas linhas de comando e elementos da interface do usuário.<br/>A configuração atual é <strong>%1</strong>. @@ -1696,7 +1696,7 @@ O instalador será fechado e todas as alterações serão perdidas. The numbers and dates locale will be set to %1. - O local dos números e datas será definido como %1. + A localidade dos números e datas será definida como %1. @@ -1781,7 +1781,9 @@ O instalador será fechado e todas as alterações serão perdidas.Please select your preferred location on the map so the installer can suggest the locale and timezone settings for you. You can fine-tune the suggested settings below. Search the map by dragging to move and using the +/- buttons to zoom in/out or use mouse scrolling for zooming. - + Por favor selecione seu local preferido no mapa para que o instalador possa sugerir as configurações de localidade + e fuso horário para você. Você pode ajustar as configurações sugeridas abaixo. Procure no mapa arrastando + para mover e usando os botões +/- para aumentar/diminuir ou use a rolagem do mouse para dar zoom. @@ -1927,12 +1929,12 @@ O instalador será fechado e todas as alterações serão perdidas. Timezone: %1 - + Fuso horário: %1 To be able to select a timezone, make sure you are connected to the internet. Restart the installer after connecting. You can fine-tune Language and Locale settings below. - + Para poder selecionar o fuso horário, tenha certeza que você está conectado à internet. Reinicie o instalador após conectar. Você pode ajustar as configurações de Idioma e Localidade abaixo. @@ -2837,7 +2839,8 @@ Saída: <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/> + A configuração pode continuar, mas alguns recursos podem ser desativados.</p> @@ -2948,13 +2951,15 @@ Saída: <p>This computer does not satisfy the minimum requirements for installing %1.<br/> Installation cannot continue.</p> - + <p>Este computador não satisfaz os requisitos mínimos para instalar %1.<br/> + A instalação não pode continuar.</p> <p>This computer does not satisfy some of the recommended requirements for setting up %1.<br/> Setup can continue, but some features might be disabled.</p> - + <p>Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/> + A configuração pode continuar, mas alguns recursos podem ser desativados.</p> @@ -3094,7 +3099,7 @@ Saída: This computer does not satisfy the minimum requirements for setting up %1.<br/>Setup cannot continue. <a href="#details">Details...</a> - Este computador não satisfaz os requerimentos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> + Este computador não satisfaz os requisitos mínimos para configurar %1.<br/>A configuração não pode continuar. <a href="#details">Detalhes...</a> @@ -3104,7 +3109,7 @@ Saída: This computer does not satisfy some of the recommended requirements for setting up %1.<br/>Setup can continue, but some features might be disabled. - Este computador não satisfaz alguns dos requerimentos recomendados para configurar %1.<br/>A configuração pode continuar, mas algumas funções podem ser desativadas. + Este computador não satisfaz alguns dos requisitos recomendados para configurar %1.<br/>A configuração pode continuar, mas alguns recursos podem ser desativados. @@ -3420,28 +3425,28 @@ Saída: KDE user feedback - + Feedback de usuário KDE Configuring KDE user feedback. - + Configurando feedback de usuário KDE. Error in KDE user feedback configuration. - + Erro na configuração do feedback de usuário KDE. Could not configure KDE user feedback correctly, script error %1. - + Não foi possível configurar o feedback de usuário KDE corretamente, erro de script %1. Could not configure KDE user feedback correctly, Calamares error %1. - + Não foi possível configurar o feedback de usuário KDE corretamente, erro do Calamares %1. @@ -3488,7 +3493,7 @@ Saída: <html><head/><body><p>Click here to send <span style=" font-weight:600;">no information at all</span> about your installation.</p></body></html> - + <html><head/><body><p>Clique aqui para não enviar <span style=" font-weight:600;">nenhum tipo de informação</span> sobre sua instalação.</p></body></html> @@ -3498,22 +3503,22 @@ Saída: Tracking helps %1 to see how often it is installed, what hardware it is installed on and which applications are used. To see what will be sent, please click the help icon next to each area. - + O rastreamento ajuda %1 a ver quão frequentemente ele é instalado, em qual hardware ele é instalado e quais aplicações são usadas. Para ver o que será enviado, por favor, clique no ícone de ajuda próximo a cada área. By selecting this you will send information about your installation and hardware. This information will only be sent <b>once</b> after the installation finishes. - + Ao selecionar isto você enviará informações sobre sua instalação e hardware. Essa informação será enviada apenas <b>uma vez</b> depois que a instalação terminar. By selecting this you will periodically send information about your <b>machine</b> installation, hardware and applications, to %1. - + Ao selecionar isto você enviará periodicamente informações sobre a instalação da sua <b>máquina</b>, hardware e aplicações para %1. By selecting this you will regularly send information about your <b>user</b> installation, hardware, applications and application usage patterns, to %1. - + Ao selecionar isto você enviará periodicamente informações sobre a instalação do seu <b>usuário</b>, hardware, aplicações e padrões de uso das aplicações para %1. @@ -3657,7 +3662,7 @@ Saída: Select application and system language - Selecione a aplicação e a linguagem do sistema + Selecione o idioma do sistema e das aplicações @@ -3722,7 +3727,7 @@ Saída: <h1>Welcome to the %1 installer.</h1> - <h1>Bem-vindo ao instalador %1 .</h1> + <h1>Bem-vindo ao instalador %1.</h1> @@ -3802,13 +3807,15 @@ Saída: <h1>Languages</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Idiomas</h1> </br> + A configuração de localidade do sistema afeta o idioma e o conjunto de caracteres para algumas linhas de comando e elementos da interface do usuário. A configuração atual é <strong>%1</strong>. <h1>Locales</h1> </br> The system locale setting affects the language and character set for some command line user interface elements. The current setting is <strong>%1</strong>. - + <h1>Localidades</h1> </br> + A configuração de localidade do sistema afeta o idioma e o conjunto de caracteres para algumas linhas de comando e elementos da interface do usuário. A configuração atual é <strong>%1</strong>. @@ -3866,17 +3873,17 @@ Saída: System language set to %1 - + Idioma do sistema definido como %1 Numbers and dates locale set to %1 - + A localidade de números e datas foi definida para %1 Change - + Modificar diff --git a/lang/calamares_sv.ts b/lang/calamares_sv.ts index 408f67634..7d51e3b82 100644 --- a/lang/calamares_sv.ts +++ b/lang/calamares_sv.ts @@ -1926,7 +1926,7 @@ Alla ändringar kommer att gå förlorade. Timezone: %1 - + Tidszon: %1 @@ -3875,7 +3875,7 @@ Utdata: Change - + Ändra From f5ada5e9ef26505cfd5375028da091974b01803e Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Sat, 11 Jul 2020 16:29:35 +0200 Subject: [PATCH 067/123] i18n: [desktop] Automatic merge of Transifex translations --- calamares.desktop | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/calamares.desktop b/calamares.desktop index c385e3c91..78c943ddb 100644 --- a/calamares.desktop +++ b/calamares.desktop @@ -33,6 +33,10 @@ Name[bg]=Инсталирай системата Icon[bg]=calamares GenericName[bg]=Системен Инсталатор Comment[bg]=Calamares — Системен Инсталатор +Name[bn]=সিস্টেম ইনস্টল করুন +Icon[bn]=ক্যালামারেস +GenericName[bn]=সিস্টেম ইনস্টলার +Comment[bn]=ক্যালামারেস - সিস্টেম ইনস্টলার Name[ca]=Instal·la el sistema Icon[ca]=calamares GenericName[ca]=Instal·lador de sistema From 92a27a2c2d4afabb2fe8afabe10248e4c6c4db28 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Sat, 11 Jul 2020 16:29:36 +0200 Subject: [PATCH 068/123] i18n: [python] Automatic merge of Transifex translations --- lang/python/bn/LC_MESSAGES/python.mo | Bin 380 -> 2333 bytes lang/python/bn/LC_MESSAGES/python.po | 29 ++++++++++++++++----------- lang/python/de/LC_MESSAGES/python.mo | Bin 8223 -> 8228 bytes lang/python/de/LC_MESSAGES/python.po | 8 ++++---- 4 files changed, 21 insertions(+), 16 deletions(-) diff --git a/lang/python/bn/LC_MESSAGES/python.mo b/lang/python/bn/LC_MESSAGES/python.mo index b067dcf7187f1142e0012d7560c7ca481e0009bb..7faa09a2c0131e9cb69fb3bba3dd92224ad746b5 100644 GIT binary patch literal 2333 zcmb7ETW{P%7#*PHvOtlz2#Jd{=~FA}wRe*xo6SW^LJ|Tbjnbq%p=#D1Zwy|0WzRN= zR*M8eR0t3+jVdluRFOJS8d21TUL=(M10QuVH7RU4QS zQ1*TZOP#^WXTlloYqDEib9Wm88wVCfzFQE2H6o!IET(qNrJCsLJ z7*T0MJ3+e%k0P05K>(X(=y>irjd^t0vpJaz1J`S`BPP5spi|PXcgE?=;_?JMGaF8| z5GVJJ$u#qP@QIMNgBG(tqF$3VI6d9zo+i_t?|VUmwp-MNmG+H`WG-w6LSD33Bs|HB z!};*gma>Rbhr6E4#YH9~t%#3xRO0eU@x{DIE(jR{p$-Iex@0+MN(#lANe08R5-5$e z#!lDlbkAuc^-Q98J+P^(Q(E=J%HQgU5-vpHhujv%tYci{Q4HlZx-dTZ?)c0Uy*Raa zVfOrdVUf4ONEmZ*!*h&@b|W^H!Wu0soHrKvWl#DTZ!y7Zv}~0I4XbKcL$qYo`Ul>y z@GHE>Vqq*rEQoz3!l*_oR+Uxj7I%j#1J(dz{f=EJ4OU&twwc2!{1U>{t89RdI54U> zLxY2?jz8Bbm9g)y4wc-h&C2!4r6J3z^jl-+KwXwhL8Fak8B3fsYjlDK4d#3F%!&}L zxMrHGtE)vJg?KJsE81bx#I&&{S`(WBF0om*tT#($JuuG}=4R)n4r)>=S_KS^-~n=3 zZy{O1*M!;fnHLOWSXmTvF}l1oZB!5JB$dk}V=BPhqD?hgt$U&;vqtMdVZq0w`o?q^ zHRBo$T521QmWQc+96b}zzEN5_J6yXUwm(5UnkF|@Ot@`fv!!UVON7DEM!NlFnq0?I z0?W?)@?0ODuPOiAFzKc@wulml$a`tBkK0|P1G2G4Feu+jlO0@as0*-M(N_EFUT${a zNt6MeZmPtt;Yi=7$sO%~RNwI)2&af-ijq|pBrgs`exYSJ>A&`J=YoC()#|X{*v~N z8fZEBy-2D8_#WrYJEl|^RPf0@!0TTck;he2sYU&tA<5KGlgiKj;Ss=rI)%`q?}y^d b-(Tpvj|2UY&|<$;4Um)gUxu%v-u1r#1vW$E delta 69 zcmbO$^oPmfo)F7a1|VPrVi_P-0b*t#)&XJ=umEBwprj>`2C0F8$=8_DCNE>Y2LKuE B2!8+o diff --git a/lang/python/bn/LC_MESSAGES/python.po b/lang/python/bn/LC_MESSAGES/python.po index 529799daf..ee7b2e059 100644 --- a/lang/python/bn/LC_MESSAGES/python.po +++ b/lang/python/bn/LC_MESSAGES/python.po @@ -3,6 +3,9 @@ # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. # +# Translators: +# 508a8b0ef95404aa3dc5178f0ccada5e_017b8a4 , 2020 +# #, fuzzy msgid "" msgstr "" @@ -10,6 +13,7 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" +"Last-Translator: 508a8b0ef95404aa3dc5178f0ccada5e_017b8a4 , 2020\n" "Language-Team: Bengali (https://www.transifex.com/calamares/teams/20061/bn/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -19,11 +23,11 @@ msgstr "" #: src/modules/grubcfg/main.py:37 msgid "Configure GRUB." -msgstr "" +msgstr "কনফিগার করুন জিআরইউবি।" #: src/modules/mount/main.py:38 msgid "Mounting partitions." -msgstr "" +msgstr "মাউন্ট করছে পার্টিশনগুলো।" #: src/modules/mount/main.py:150 src/modules/initcpiocfg/main.py:205 #: src/modules/initcpiocfg/main.py:209 @@ -35,28 +39,29 @@ msgstr "" #: src/modules/fstab/main.py:338 src/modules/localecfg/main.py:144 #: src/modules/networkcfg/main.py:48 msgid "Configuration Error" -msgstr "" +msgstr "কনফিগারেশন ত্রুটি" #: src/modules/mount/main.py:151 src/modules/initcpiocfg/main.py:206 #: src/modules/luksopenswaphookcfg/main.py:96 src/modules/rawfs/main.py:174 #: src/modules/initramfscfg/main.py:95 src/modules/openrcdmcryptcfg/main.py:79 #: src/modules/fstab/main.py:333 msgid "No partitions are defined for
{!s}
to use." -msgstr "" +msgstr "কোন পার্টিশন নির্দিষ্ট করা হয়নি
{!এস}
ব্যবহার করার জন্য।" #: src/modules/services-systemd/main.py:35 msgid "Configure systemd services" -msgstr "" +msgstr "কনফিগার করুন সিস্টেমডি সেবাগুলি" #: src/modules/services-systemd/main.py:68 #: src/modules/services-openrc/main.py:102 msgid "Cannot modify service" -msgstr "" +msgstr "সেবা পরিবর্তন করতে পারে না" #: src/modules/services-systemd/main.py:69 msgid "" "systemctl {arg!s} call in chroot returned error code {num!s}." msgstr "" +"সিস্টেমসিটিএল {এআরজি!এস}সিএইচরুট ফেরত ত্রুটি কোড দে{NUM! গুলি}।" #: src/modules/services-systemd/main.py:72 #: src/modules/services-systemd/main.py:76 @@ -83,27 +88,27 @@ msgstr "" #: src/modules/umount/main.py:40 msgid "Unmount file systems." -msgstr "" +msgstr "আনমাউন্ট ফাইল সিস্টেমগুলি করুন।" #: src/modules/unpackfs/main.py:44 msgid "Filling up filesystems." -msgstr "" +msgstr "ফাইলসিস্টেমগুলিপূরণ করছে।" #: src/modules/unpackfs/main.py:257 msgid "rsync failed with error code {}." -msgstr "" +msgstr "ত্রুটি কোড সহ আরসিঙ্ক ব্যর্থ হয়েছে {}।" #: src/modules/unpackfs/main.py:302 msgid "Unpacking image {}/{}, file {}/{}" -msgstr "" +msgstr "চিত্র আনপ্যাক করছে {} / {}, ফাইল {} / {}" #: src/modules/unpackfs/main.py:317 msgid "Starting to unpack {}" -msgstr "" +msgstr "আনপ্যাক করা শুরু করছে {}" #: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" -msgstr "" +msgstr "চিত্র আনপ্যাক করতে ব্যর্থ হয়েছে \"{}\"" #: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" diff --git a/lang/python/de/LC_MESSAGES/python.mo b/lang/python/de/LC_MESSAGES/python.mo index 64f71d6aaa9ce142ed1d17db48427716ecd97787..beb4ce7b3d137615d5b5238fb0ea631315b6e1ab 100644 GIT binary patch delta 653 zcmYk(zb`{k6u|LALz{ z*u)k*zzMvb^_t$2TOG)Yjz-?85-@B5L7B7{*7OMR$hZ?4+}d zx?l(Oz#BC16SW{G4K;}mTQP)fXrU(F#$~)iE!f9(%wYf{xKr>QHJ_jB(fP3iodlgL z)C5K|@2V46jxn4;8~u2T`nI|3W=XfR$+WF#G-;S|W6DmY(uRLY39gv&-juzReX4Xg coVGC$i&?9t8BNEn?1yKrwCvx&ZlL+)7xN}pkN^Mx delta 648 zcmXZZJuCxp7{~F)OLUTYt!lj-2_i~Rl8S~aDkK(k6GNq^Ep-ygdNFpe(3LL4NOX{t z!OJcYiP<3WGFWZm``1e@_xbPGKA7 zFobvL!?HS&F!tN-;w1UT&QdSZMV>|-O&r2=9L6^cpvNWF|Aj@D2+v9esUgSc#Y@{q zY$AVQ4>}q|{OCsxiF0a33mfqWTkr~1p%<(|r@OdcLz5hETOxfd&bXjDenC~}*WT#m zZK^RpG8~z~0bD{giGA$F0`}tvQcD^=#Rdm(oNSZ!>QKSKUk7e)c^nh diff --git a/lang/python/de/LC_MESSAGES/python.po b/lang/python/de/LC_MESSAGES/python.po index 25e2e98d3..107847889 100644 --- a/lang/python/de/LC_MESSAGES/python.po +++ b/lang/python/de/LC_MESSAGES/python.po @@ -4,9 +4,9 @@ # FIRST AUTHOR , YEAR. # # Translators: -# Adriaan de Groot , 2019 # Christian Spaan, 2020 # Andreas Eitel , 2020 +# Adriaan de Groot , 2020 # #, fuzzy msgid "" @@ -15,7 +15,7 @@ msgstr "" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2020-06-18 15:42+0200\n" "PO-Revision-Date: 2017-08-09 10:34+0000\n" -"Last-Translator: Andreas Eitel , 2020\n" +"Last-Translator: Adriaan de Groot , 2020\n" "Language-Team: German (https://www.transifex.com/calamares/teams/20061/de/)\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" @@ -105,7 +105,7 @@ msgstr "rsync fehlgeschlagen mit Fehlercode {}." #: src/modules/unpackfs/main.py:302 msgid "Unpacking image {}/{}, file {}/{}" -msgstr "Bild Entpacken {}/{}, Datei {}/{}" +msgstr "Abbilddatei Entpacken {}/{}, Datei {}/{}" #: src/modules/unpackfs/main.py:317 msgid "Starting to unpack {}" @@ -113,7 +113,7 @@ msgstr "Beginn des Entpackens {}" #: src/modules/unpackfs/main.py:326 src/modules/unpackfs/main.py:448 msgid "Failed to unpack image \"{}\"" -msgstr "Entpacken des Image \"{}\" fehlgeschlagen" +msgstr "Entpacken der Abbilddatei \"{}\" fehlgeschlagen" #: src/modules/unpackfs/main.py:415 msgid "No mount point for root partition" From 724b92ee603fd745a47e329c2c5da5752e515507 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 11 Jul 2020 16:35:54 +0200 Subject: [PATCH 069/123] [partition] Drop documentation of vanished parameter --- src/modules/partition/core/DeviceList.h | 3 --- 1 file changed, 3 deletions(-) diff --git a/src/modules/partition/core/DeviceList.h b/src/modules/partition/core/DeviceList.h index 51c71feeb..306d90739 100644 --- a/src/modules/partition/core/DeviceList.h +++ b/src/modules/partition/core/DeviceList.h @@ -40,9 +40,6 @@ enum class DeviceType * the system, filtering out those that do not meet a criterium. * If set to WritableOnly, only devices which can be overwritten * safely are returned (e.g. RO-media are ignored, as are mounted partitions). - * @param minimumSize Can be used to filter devices based on their - * size (in bytes). If non-negative, only devices with a size - * greater than @p minimumSize will be returned. * @return a list of Devices meeting this criterium. */ QList< Device* > getDevices( DeviceType which = DeviceType::All ); From 4e4ffde604773975c8fd10d957b1f8f77603b190 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Sat, 11 Jul 2020 17:00:36 +0200 Subject: [PATCH 070/123] Changes: post-release housekeeping --- CHANGES | 12 ++++++++++++ CMakeLists.txt | 4 ++-- 2 files changed, 14 insertions(+), 2 deletions(-) diff --git a/CHANGES b/CHANGES index 12b7c36e1..d7510976a 100644 --- a/CHANGES +++ b/CHANGES @@ -3,6 +3,18 @@ contributors are listed. Note that Calamares does not have a historical changelog -- this log starts with version 3.2.0. The release notes on the website will have to do for older versions. +# 3.2.28 (unreleased) # + +This release contains contributions from (alphabetically by first name): + - No external contributors yet + +## Core ## + - No core changes yet + +## Modules ## + - No module changes yet + + # 3.2.27 (2020-07-11) # This release contains contributions from (alphabetically by first name): diff --git a/CMakeLists.txt b/CMakeLists.txt index 7e049ca97..fb3ccf699 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -46,10 +46,10 @@ # TODO:3.3: Require CMake 3.12 cmake_minimum_required( VERSION 3.3 FATAL_ERROR ) project( CALAMARES - VERSION 3.2.27 + VERSION 3.2.28 LANGUAGES C CXX ) -set( CALAMARES_VERSION_RC 0 ) # Set to 0 during release cycle, 1 during development +set( CALAMARES_VERSION_RC 1 ) # Set to 0 during release cycle, 1 during development ### OPTIONS # From e1c85340e40a09756a0d60d79179ea1f26e4a967 Mon Sep 17 00:00:00 2001 From: Calamares CI Date: Mon, 20 Jul 2020 12:05:55 +0200 Subject: [PATCH 071/123] i18n: [calamares] Automatic merge of Transifex translations FIXES #1455 --- lang/calamares_cs_CZ.ts | 8 ++++---- lang/calamares_pt_BR.ts | 2 +- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/lang/calamares_cs_CZ.ts b/lang/calamares_cs_CZ.ts index e38f1ff69..e1a62eb13 100644 --- a/lang/calamares_cs_CZ.ts +++ b/lang/calamares_cs_CZ.ts @@ -781,7 +781,7 @@ Instalační program bude ukončen a všechny změny ztraceny. <h1>Welcome to the Calamares setup program for %1</h1> - + <h1>Vítejte v Calamares instalačním programu pro %1.</h1> @@ -796,7 +796,7 @@ Instalační program bude ukončen a všechny změny ztraceny. <h1>Welcome to the %1 installer</h1> - + <h1>Vítejte v instalátoru %1.</h1>
@@ -3424,7 +3424,7 @@ Výstup: KDE user feedback - + Zpětná vazba uživatele KDE @@ -3445,7 +3445,7 @@ Výstup: Could not configure KDE user feedback correctly, Calamares error %1. - + Nepodařilo se správně nastavit zpětnou vazbu KDE uživatele, chyba Calamares %1. diff --git a/lang/calamares_pt_BR.ts b/lang/calamares_pt_BR.ts index f65ecd0ee..27d8803a3 100644 --- a/lang/calamares_pt_BR.ts +++ b/lang/calamares_pt_BR.ts @@ -3549,7 +3549,7 @@ Saída: Your username must start with a lowercase letter or underscore. - Seu nome de usuário deve começar com uma letra maiúscula ou com um sublinhado. + Seu nome de usuário deve começar com uma letra minúscula ou com um sublinhado. From 0d5db2dd062c13c542c02a0a5750e8e8393c6e84 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 12:36:58 +0200 Subject: [PATCH 072/123] [localeq] Config-handling is a total bodge-job, disable --- src/modules/localeq/LocaleQmlViewStep.cpp | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/modules/localeq/LocaleQmlViewStep.cpp b/src/modules/localeq/LocaleQmlViewStep.cpp index fd5e72734..4354cb7bd 100644 --- a/src/modules/localeq/LocaleQmlViewStep.cpp +++ b/src/modules/localeq/LocaleQmlViewStep.cpp @@ -65,7 +65,7 @@ LocaleQmlViewStep::fetchGeoIpTimezone() } } - m_config->setLocaleInfo(m_startingTimezone.first, m_startingTimezone.second, m_localeGenPath); + // m_config->setLocaleInfo(m_startingTimezone.first, m_startingTimezone.second, m_localeGenPath); } Calamares::RequirementsList LocaleQmlViewStep::checkRequirements() @@ -138,6 +138,7 @@ void LocaleQmlViewStep::onActivate() void LocaleQmlViewStep::onLeave() { +#if 0 if ( true ) { m_jobs = m_config->createJobs(); @@ -157,6 +158,7 @@ void LocaleQmlViewStep::onLeave() m_jobs.clear(); Calamares::JobQueue::instance()->globalStorage()->remove( "localeConf" ); } +#endif } void LocaleQmlViewStep::setConfigurationMap(const QVariantMap& configurationMap) From 8119c7e72a861df5d85394cd602963d86e059cc9 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 12:37:27 +0200 Subject: [PATCH 073/123] [locale] Reset Config object The Config object wasn't being used at all in the locale module; reset it to empty and start using it in locale, so that configuration functionality can be added to it as-needed, and with the necessary refactoring built-in. --- src/modules/locale/Config.cpp | 306 +------------------------- src/modules/locale/Config.h | 56 +---- src/modules/locale/LocaleViewStep.cpp | 4 +- src/modules/locale/LocaleViewStep.h | 10 +- 4 files changed, 17 insertions(+), 359 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index cde0a5e09..ae8595734 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -1,7 +1,8 @@ /* === This file is part of Calamares - === * - * Copyright 2019-2020, Adriaan de Groot - * Copyright 2020, Camilo Higuita + * SPDX-FileCopyrightText: 2020 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * License-Filename: LICENSE * * Calamares is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -19,313 +20,16 @@ #include "Config.h" -#include "LCLocaleDialog.h" -#include "SetTimezoneJob.h" -#include "timezonewidget/timezonewidget.h" - -#include "GlobalStorage.h" -#include "JobQueue.h" -#include "Settings.h" - -#include "locale/Label.h" -#include "locale/TimeZone.h" -#include "utils/CalamaresUtilsGui.h" #include "utils/Logger.h" -#include "utils/Retranslator.h" - -#include -#include -#include Config::Config( QObject* parent ) : QObject( parent ) - , m_regionList( CalamaresUtils::Locale::TZRegion::fromZoneTab() ) - , m_regionModel( new CalamaresUtils::Locale::CStringListModel( m_regionList ) ) - , m_zonesModel( new CalamaresUtils::Locale::CStringListModel() ) - , m_blockTzWidgetSet( false ) { - connect( m_regionModel, &CalamaresUtils::Locale::CStringListModel::currentIndexChanged, [&]() { - m_zonesModel->setList( static_cast< const CalamaresUtils::Locale::TZRegion* >( - m_regionModel->item( m_regionModel->currentIndex() ) ) - ->zones() ); - updateLocaleLabels(); - } ); - - connect( - m_zonesModel, &CalamaresUtils::Locale::CStringListModel::currentIndexChanged, [&]() { updateLocaleLabels(); } ); } -Config::~Config() -{ - qDeleteAll( m_regionList ); -} - -CalamaresUtils::Locale::CStringListModel* -Config::zonesModel() const -{ - return m_zonesModel; -} - -CalamaresUtils::Locale::CStringListModel* -Config::regionModel() const -{ - return m_regionModel; -} +Config::~Config() {} void -Config::setLocaleInfo( const QString& initialRegion, const QString& initialZone, const QString& localeGenPath ) -{ - using namespace CalamaresUtils::Locale; - - cDebug() << "REGION MODEL SIZE" << initialRegion << initialZone; - auto* region = m_regionList.find< TZRegion >( initialRegion ); - if ( region && region->zones().find< TZZone >( initialZone ) ) - { - m_regionModel->setCurrentIndex( m_regionModel->indexOf( initialRegion ) ); - m_zonesModel->setList( region->zones() ); - m_zonesModel->setCurrentIndex( m_zonesModel->indexOf( initialZone ) ); - } - else - { - m_regionModel->setCurrentIndex( m_regionModel->indexOf( "America" ) ); - m_zonesModel->setList( - static_cast< const TZRegion* >( m_regionModel->item( m_regionModel->currentIndex() ) )->zones() ); - m_zonesModel->setCurrentIndex( m_zonesModel->indexOf( "New_York" ) ); - } - - // Some distros come with a meaningfully commented and easy to parse locale.gen, - // and others ship a separate file /usr/share/i18n/SUPPORTED with a clean list of - // supported locales. We first try that one, and if it doesn't exist, we fall back - // to parsing the lines from locale.gen - m_localeGenLines.clear(); - QFile supported( "/usr/share/i18n/SUPPORTED" ); - QByteArray ba; - - if ( supported.exists() && supported.open( QIODevice::ReadOnly | QIODevice::Text ) ) - { - ba = supported.readAll(); - supported.close(); - - const auto lines = ba.split( '\n' ); - for ( const QByteArray& line : lines ) - { - m_localeGenLines.append( QString::fromLatin1( line.simplified() ) ); - } - } - else - { - QFile localeGen( localeGenPath ); - if ( localeGen.open( QIODevice::ReadOnly | QIODevice::Text ) ) - { - ba = localeGen.readAll(); - localeGen.close(); - } - else - { - cWarning() << "Cannot open file" << localeGenPath - << ". Assuming the supported languages are already built into " - "the locale archive."; - QProcess localeA; - localeA.start( "locale", QStringList() << "-a" ); - localeA.waitForFinished(); - ba = localeA.readAllStandardOutput(); - } - const auto lines = ba.split( '\n' ); - for ( const QByteArray& line : lines ) - { - if ( line.startsWith( "## " ) || line.startsWith( "# " ) || line.simplified() == "#" ) - { - continue; - } - - QString lineString = QString::fromLatin1( line.simplified() ); - if ( lineString.startsWith( "#" ) ) - { - lineString.remove( '#' ); - } - lineString = lineString.simplified(); - - if ( lineString.isEmpty() ) - { - continue; - } - - m_localeGenLines.append( lineString ); - } - } - - if ( m_localeGenLines.isEmpty() ) - { - cWarning() << "cannot acquire a list of available locales." - << "The locale and localecfg modules will be broken as long as this " - "system does not provide" - << "\n\t " - << "* a well-formed" << supported.fileName() << "\n\tOR" - << "* a well-formed" - << ( localeGenPath.isEmpty() ? QLatin1String( "/etc/locale.gen" ) : localeGenPath ) << "\n\tOR" - << "* a complete pre-compiled locale-gen database which allows complete locale -a output."; - return; // something went wrong and there's nothing we can do about it. - } - - // Assuming we have a list of supported locales, we usually only want UTF-8 ones - // because it's not 1995. - for ( auto it = m_localeGenLines.begin(); it != m_localeGenLines.end(); ) - { - if ( !it->contains( "UTF-8", Qt::CaseInsensitive ) && !it->contains( "utf8", Qt::CaseInsensitive ) ) - { - it = m_localeGenLines.erase( it ); - } - else - { - ++it; - } - } - - // We strip " UTF-8" from "en_US.UTF-8 UTF-8" because it's redundant redundant. - for ( auto it = m_localeGenLines.begin(); it != m_localeGenLines.end(); ++it ) - { - if ( it->endsWith( " UTF-8" ) ) - { - it->chop( 6 ); - } - *it = it->simplified(); - } - updateGlobalStorage(); - updateLocaleLabels(); -} - -void -Config::updateGlobalLocale() -{ - auto* gs = Calamares::JobQueue::instance()->globalStorage(); - const QString bcp47 = m_selectedLocaleConfiguration.toBcp47(); - gs->insert( "locale", bcp47 ); -} - -void -Config::updateGlobalStorage() -{ - auto* gs = Calamares::JobQueue::instance()->globalStorage(); - - const auto* location = currentLocation(); - bool locationChanged = ( location->region() != gs->value( "locationRegion" ) ) - || ( location->zone() != gs->value( "locationZone" ) ); -#ifdef DEBUG_TIMEZONES - if ( locationChanged ) - { - cDebug() << "Location changed" << gs->value( "locationRegion" ) << ',' << gs->value( "locationZone" ) << "to" - << location->region() << ',' << location->zone(); - } -#endif - gs->insert( "locationRegion", location->region() ); - gs->insert( "locationZone", location->zone() ); - - updateGlobalLocale(); - - // If we're in chroot mode (normal install mode), then we immediately set the - // timezone on the live system. When debugging timezones, don't bother. -#ifndef DEBUG_TIMEZONES - if ( locationChanged && Calamares::Settings::instance()->doChroot() ) - { - QProcess::execute( "timedatectl", // depends on systemd - { "set-timezone", location->region() + '/' + location->zone() } ); - } -#endif - - // Preserve those settings that have been made explicit. - auto newLocale = guessLocaleConfiguration(); - if ( !m_selectedLocaleConfiguration.isEmpty() && m_selectedLocaleConfiguration.explicit_lang ) - { - newLocale.setLanguage( m_selectedLocaleConfiguration.language() ); - } - if ( !m_selectedLocaleConfiguration.isEmpty() && m_selectedLocaleConfiguration.explicit_lc ) - { - newLocale.lc_numeric = m_selectedLocaleConfiguration.lc_numeric; - newLocale.lc_time = m_selectedLocaleConfiguration.lc_time; - newLocale.lc_monetary = m_selectedLocaleConfiguration.lc_monetary; - newLocale.lc_paper = m_selectedLocaleConfiguration.lc_paper; - newLocale.lc_name = m_selectedLocaleConfiguration.lc_name; - newLocale.lc_address = m_selectedLocaleConfiguration.lc_address; - newLocale.lc_telephone = m_selectedLocaleConfiguration.lc_telephone; - newLocale.lc_measurement = m_selectedLocaleConfiguration.lc_measurement; - newLocale.lc_identification = m_selectedLocaleConfiguration.lc_identification; - } - newLocale.explicit_lang = m_selectedLocaleConfiguration.explicit_lang; - newLocale.explicit_lc = m_selectedLocaleConfiguration.explicit_lc; - - m_selectedLocaleConfiguration = newLocale; - updateLocaleLabels(); -} - -void -Config::updateLocaleLabels() -{ - LocaleConfiguration lc - = m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration() : m_selectedLocaleConfiguration; - auto labels = prettyLocaleStatus( lc ); - emit prettyStatusChanged(); -} - - -std::pair< QString, QString > -Config::prettyLocaleStatus( const LocaleConfiguration& lc ) const -{ - using CalamaresUtils::Locale::Label; - - Label lang( lc.language(), Label::LabelFormat::AlwaysWithCountry ); - Label num( lc.lc_numeric, Label::LabelFormat::AlwaysWithCountry ); - - return std::make_pair< QString, QString >( - tr( "The system language will be set to %1." ).arg( lang.label() ), - tr( "The numbers and dates locale will be set to %1." ).arg( num.label() ) ); -} - -Calamares::JobList -Config::createJobs() -{ - QList< Calamares::job_ptr > list; - const CalamaresUtils::Locale::TZZone* location = currentLocation(); - - Calamares::Job* j = new SetTimezoneJob( location->region(), location->zone() ); - list.append( Calamares::job_ptr( j ) ); - - return list; -} - -LocaleConfiguration -Config::guessLocaleConfiguration() const -{ - return LocaleConfiguration::fromLanguageAndLocation( - QLocale().name(), m_localeGenLines, currentLocation() ? currentLocation()->country() : "" ); -} - -QMap< QString, QString > -Config::localesMap() -{ - return m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().toMap() - : m_selectedLocaleConfiguration.toMap(); -} - -QString -Config::prettyStatus() const -{ - QString status; - status += tr( "Set timezone to %1/%2.
" ) - .arg( m_regionModel->item( m_regionModel->currentIndex() )->tr() ) - .arg( m_zonesModel->item( m_zonesModel->currentIndex() )->tr() ); - - LocaleConfiguration lc - = m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration() : m_selectedLocaleConfiguration; - auto labels = prettyLocaleStatus( lc ); - status += labels.first + "
"; - status += labels.second + "
"; - - return status; -} - - -const CalamaresUtils::Locale::TZZone* -Config::currentLocation() const +Config::setConfigurationMap( const QVariantMap& ) { - return static_cast< const CalamaresUtils::Locale::TZZone* >( m_zonesModel->item( m_zonesModel->currentIndex() ) ); } diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index cfbed7bae..fcfc22a98 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -1,7 +1,8 @@ /* === This file is part of Calamares - === * - * Copyright 2019-2020, Adriaan de Groot - * Copyright 2020, Camilo Higuita + * SPDX-FileCopyrightText: 2020 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later + * License-Filename: LICENSE * * Calamares is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -20,66 +21,17 @@ #ifndef LOCALE_CONFIG_H #define LOCALE_CONFIG_H -#include "LocaleConfiguration.h" - -#include "Job.h" -#include "locale/TimeZone.h" - -#include #include -#include - class Config : public QObject { Q_OBJECT - Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) - Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) - Q_PROPERTY( QString prettyStatus READ prettyStatus NOTIFY prettyStatusChanged FINAL ) public: Config( QObject* parent = nullptr ); ~Config(); - CalamaresUtils::Locale::CStringListModel* regionModel() const; - CalamaresUtils::Locale::CStringListModel* zonesModel() const; - - void setLocaleInfo( const QString& initialRegion, const QString& initialZone, const QString& localeGenPath ); - - Calamares::JobList createJobs(); - QMap< QString, QString > localesMap(); - QString prettyStatus() const; - -private: - CalamaresUtils::Locale::CStringPairList m_regionList; - CalamaresUtils::Locale::CStringListModel* m_regionModel; - CalamaresUtils::Locale::CStringListModel* m_zonesModel; - - LocaleConfiguration m_selectedLocaleConfiguration; - - QStringList m_localeGenLines; - int m_currentRegion = -1; - - bool m_blockTzWidgetSet; - - LocaleConfiguration guessLocaleConfiguration() const; - - // For the given locale config, return two strings describing - // the settings for language and numbers. - std::pair< QString, QString > prettyLocaleStatus( const LocaleConfiguration& ) const; - - /** @brief Update the GS *locale* key with the selected system language. - * - * This uses whatever is set in m_selectedLocaleConfiguration as the language, - * and writes it to GS *locale* key (as a string, in BCP47 format). - */ - void updateGlobalLocale(); - void updateGlobalStorage(); - void updateLocaleLabels(); - - const CalamaresUtils::Locale::TZZone* currentLocation() const; -signals: - void prettyStatusChanged(); + void setConfigurationMap( const QVariantMap& ); }; diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 3a8c37673..880f42a7d 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -34,7 +34,6 @@ #include #include -#include CALAMARES_PLUGIN_FACTORY_DEFINITION( LocaleViewStepFactory, registerPlugin< LocaleViewStep >(); ) @@ -45,6 +44,7 @@ LocaleViewStep::LocaleViewStep( QObject* parent ) , m_actualWidget( nullptr ) , m_nextEnabled( false ) , m_geoip( nullptr ) + , m_config( std::make_unique< Config >() ) { QBoxLayout* mainLayout = new QHBoxLayout; m_widget->setLayout( mainLayout ); @@ -221,6 +221,8 @@ LocaleViewStep::setConfigurationMap( const QVariantMap& configurationMap ) cWarning() << "GeoIP Style" << style << "is not recognized."; } } + + m_config->setConfigurationMap( configurationMap ); } Calamares::RequirementsList diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index 841aba97f..4e6c3d262 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -20,16 +20,14 @@ #ifndef LOCALEVIEWSTEP_H #define LOCALEVIEWSTEP_H +#include "Config.h" + +#include "DllMacro.h" #include "geoip/Handler.h" #include "geoip/Interface.h" #include "utils/PluginFactory.h" #include "viewpages/ViewStep.h" -#include "DllMacro.h" - -#include -#include - #include class LocalePage; @@ -79,6 +77,8 @@ private: Calamares::JobList m_jobs; std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; + + std::unique_ptr< Config > m_config; }; CALAMARES_PLUGIN_FACTORY_DECLARATION( LocaleViewStepFactory ) From b6b5c449968c72c76ba60819f1f66054f46739b8 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 12:55:07 +0200 Subject: [PATCH 074/123] [locale] Load supported locales in Config --- src/modules/locale/Config.cpp | 126 +++++++++++++++++++++++++++++++++- src/modules/locale/Config.h | 4 ++ 2 files changed, 129 insertions(+), 1 deletion(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index ae8595734..d886f1eec 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -21,6 +21,124 @@ #include "Config.h" #include "utils/Logger.h" +#include "utils/Variant.h" + +#include +#include + +/** @brief Load supported locale keys + * + * If i18n/SUPPORTED exists, read the lines from that and return those + * as supported locales; otherwise, try the file at @p localeGenPath + * and get lines from that. Failing both, try the output of `locale -a`. + * + * This gives us a list of locale identifiers (e.g. en_US.UTF-8), which + * are not particularly human-readable. + * + * Only UTF-8 locales are returned (even if the system claims to support + * other, non-UTF-8, locales). + */ +static QStringList +loadLocales( const QString& localeGenPath ) +{ + QStringList localeGenLines; + + // Some distros come with a meaningfully commented and easy to parse locale.gen, + // and others ship a separate file /usr/share/i18n/SUPPORTED with a clean list of + // supported locales. We first try that one, and if it doesn't exist, we fall back + // to parsing the lines from locale.gen + localeGenLines.clear(); + QFile supported( "/usr/share/i18n/SUPPORTED" ); + QByteArray ba; + + if ( supported.exists() && supported.open( QIODevice::ReadOnly | QIODevice::Text ) ) + { + ba = supported.readAll(); + supported.close(); + + const auto lines = ba.split( '\n' ); + for ( const QByteArray& line : lines ) + { + localeGenLines.append( QString::fromLatin1( line.simplified() ) ); + } + } + else + { + QFile localeGen( localeGenPath ); + if ( localeGen.open( QIODevice::ReadOnly | QIODevice::Text ) ) + { + ba = localeGen.readAll(); + localeGen.close(); + } + else + { + cWarning() << "Cannot open file" << localeGenPath + << ". Assuming the supported languages are already built into " + "the locale archive."; + QProcess localeA; + localeA.start( "locale", QStringList() << "-a" ); + localeA.waitForFinished(); + ba = localeA.readAllStandardOutput(); + } + const auto lines = ba.split( '\n' ); + for ( const QByteArray& line : lines ) + { + if ( line.startsWith( "## " ) || line.startsWith( "# " ) || line.simplified() == "#" ) + { + continue; + } + + QString lineString = QString::fromLatin1( line.simplified() ); + if ( lineString.startsWith( "#" ) ) + { + lineString.remove( '#' ); + } + lineString = lineString.simplified(); + + if ( lineString.isEmpty() ) + { + continue; + } + + localeGenLines.append( lineString ); + } + } + + if ( localeGenLines.isEmpty() ) + { + cWarning() << "cannot acquire a list of available locales." + << "The locale and localecfg modules will be broken as long as this " + "system does not provide" + << "\n\t " + << "* a well-formed" << supported.fileName() << "\n\tOR" + << "* a well-formed" + << ( localeGenPath.isEmpty() ? QLatin1String( "/etc/locale.gen" ) : localeGenPath ) << "\n\tOR" + << "* a complete pre-compiled locale-gen database which allows complete locale -a output."; + return localeGenLines; // something went wrong and there's nothing we can do about it. + } + + // Assuming we have a list of supported locales, we usually only want UTF-8 ones + // because it's not 1995. + auto notUtf8 = []( const QString& s ) { + return !s.contains( "UTF-8", Qt::CaseInsensitive ) && !s.contains( "utf8", Qt::CaseInsensitive ); + }; + auto it = std::remove_if( localeGenLines.begin(), localeGenLines.end(), notUtf8 ); + localeGenLines.erase( it, localeGenLines.end() ); + + // We strip " UTF-8" from "en_US.UTF-8 UTF-8" because it's redundant redundant. + // Also simplify whitespace. + auto unredundant = []( QString& s ) { + if ( s.endsWith( " UTF-8" ) ) + { + s.chop( 6 ); + } + s = s.simplified(); + }; + std::for_each( localeGenLines.begin(), localeGenLines.end(), unredundant ); + + return localeGenLines; +} + Config::Config( QObject* parent ) : QObject( parent ) @@ -30,6 +148,12 @@ Config::Config( QObject* parent ) Config::~Config() {} void -Config::setConfigurationMap( const QVariantMap& ) +Config::setConfigurationMap( const QVariantMap& configurationMap ) { + QString localeGenPath = CalamaresUtils::getString( configurationMap, "localeGenPath" ); + if ( localeGenPath.isEmpty() ) + { + localeGenPath = QStringLiteral( "/etc/locale.gen" ); + } + m_localeGenLines = loadLocales( localeGenPath ); } diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index fcfc22a98..53e4d5561 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -32,6 +32,10 @@ public: ~Config(); void setConfigurationMap( const QVariantMap& ); + +private: + /// A list of supported locale identifiers (e.g. "en_US.UTF-8") + QStringList m_localeGenLines; }; From 338635146f792f448ab59448fc72d01a078634b5 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 12:58:35 +0200 Subject: [PATCH 075/123] [locale] Hand the Config object also to the page --- src/modules/locale/LocalePage.cpp | 5 +++-- src/modules/locale/LocalePage.h | 7 ++++++- src/modules/locale/LocaleViewStep.cpp | 2 +- 3 files changed, 10 insertions(+), 4 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 53d97ea02..faeae7edc 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -19,6 +19,7 @@ #include "LocalePage.h" +#include "Config.h" #include "SetTimezoneJob.h" #include "timezonewidget/timezonewidget.h" @@ -26,7 +27,6 @@ #include "JobQueue.h" #include "LCLocaleDialog.h" #include "Settings.h" - #include "locale/Label.h" #include "locale/TimeZone.h" #include "utils/CalamaresUtilsGui.h" @@ -40,8 +40,9 @@ #include #include -LocalePage::LocalePage( QWidget* parent ) +LocalePage::LocalePage( Config* config, QWidget* parent ) : QWidget( parent ) + , m_config( config ) , m_regionList( CalamaresUtils::Locale::TZRegion::fromZoneTab() ) , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( m_regionList ) ) , m_blockTzWidgetSet( false ) diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index f31d81fb6..1e2052223 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -32,13 +32,15 @@ class QComboBox; class QLabel; class QPushButton; + +class Config; class TimeZoneWidget; class LocalePage : public QWidget { Q_OBJECT public: - explicit LocalePage( QWidget* parent = nullptr ); + explicit LocalePage( class Config* config, QWidget* parent = nullptr ); virtual ~LocalePage(); void init( const QString& initialRegion, const QString& initialZone, const QString& localeGenPath ); @@ -54,6 +56,9 @@ public: private: LocaleConfiguration guessLocaleConfiguration() const; + /// @brief Non-owning pointer to the ViewStep's config + Config* m_config; + // For the given locale config, return two strings describing // the settings for language and numbers. std::pair< QString, QString > prettyLocaleStatus( const LocaleConfiguration& ) const; diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 880f42a7d..173532bf8 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -68,7 +68,7 @@ LocaleViewStep::setUpPage() { if ( !m_actualWidget ) { - m_actualWidget = new LocalePage(); + m_actualWidget = new LocalePage( m_config.get() ); } m_actualWidget->init( m_startingTimezone.first, m_startingTimezone.second, m_localeGenPath ); m_widget->layout()->addWidget( m_actualWidget ); From 25ba1bb767ae2ae32d53caba820917cf02d20e4f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 13:22:38 +0200 Subject: [PATCH 076/123] [locale] Remove localeGenLines from page - the Config object took over loading of the string list - expose the list as a property - drop loading code from the page. --- src/modules/locale/Config.h | 4 ++ src/modules/locale/LocalePage.cpp | 100 ++------------------------ src/modules/locale/LocalePage.h | 4 +- src/modules/locale/LocaleViewStep.cpp | 2 +- 4 files changed, 10 insertions(+), 100 deletions(-) diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 53e4d5561..34aa8b92f 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -26,6 +26,7 @@ class Config : public QObject { Q_OBJECT + Q_PROPERTY( const QStringList& supportedLocales READ supportedLocales CONSTANT FINAL ) public: Config( QObject* parent = nullptr ); @@ -33,6 +34,9 @@ public: void setConfigurationMap( const QVariantMap& ); +public Q_SLOTS: + const QStringList& supportedLocales() const { return m_localeGenLines; } + private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") QStringList m_localeGenLines; diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index faeae7edc..fa04d1058 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -138,7 +138,7 @@ LocalePage::updateLocaleLabels() } void -LocalePage::init( const QString& initialRegion, const QString& initialZone, const QString& localeGenPath ) +LocalePage::init( const QString& initialRegion, const QString& initialZone ) { using namespace CalamaresUtils::Locale; @@ -155,98 +155,6 @@ LocalePage::init( const QString& initialRegion, const QString& initialZone, cons m_tzWidget->setCurrentLocation( "America", "New_York" ); } - // Some distros come with a meaningfully commented and easy to parse locale.gen, - // and others ship a separate file /usr/share/i18n/SUPPORTED with a clean list of - // supported locales. We first try that one, and if it doesn't exist, we fall back - // to parsing the lines from locale.gen - m_localeGenLines.clear(); - QFile supported( "/usr/share/i18n/SUPPORTED" ); - QByteArray ba; - - if ( supported.exists() && supported.open( QIODevice::ReadOnly | QIODevice::Text ) ) - { - ba = supported.readAll(); - supported.close(); - - const auto lines = ba.split( '\n' ); - for ( const QByteArray& line : lines ) - { - m_localeGenLines.append( QString::fromLatin1( line.simplified() ) ); - } - } - else - { - QFile localeGen( localeGenPath ); - if ( localeGen.open( QIODevice::ReadOnly | QIODevice::Text ) ) - { - ba = localeGen.readAll(); - localeGen.close(); - } - else - { - cWarning() << "Cannot open file" << localeGenPath - << ". Assuming the supported languages are already built into " - "the locale archive."; - QProcess localeA; - localeA.start( "locale", QStringList() << "-a" ); - localeA.waitForFinished(); - ba = localeA.readAllStandardOutput(); - } - const auto lines = ba.split( '\n' ); - for ( const QByteArray& line : lines ) - { - if ( line.startsWith( "## " ) || line.startsWith( "# " ) || line.simplified() == "#" ) - { - continue; - } - - QString lineString = QString::fromLatin1( line.simplified() ); - if ( lineString.startsWith( "#" ) ) - { - lineString.remove( '#' ); - } - lineString = lineString.simplified(); - - if ( lineString.isEmpty() ) - { - continue; - } - - m_localeGenLines.append( lineString ); - } - } - - if ( m_localeGenLines.isEmpty() ) - { - cWarning() << "cannot acquire a list of available locales." - << "The locale and localecfg modules will be broken as long as this " - "system does not provide" - << "\n\t " - << "* a well-formed" << supported.fileName() << "\n\tOR" - << "* a well-formed" - << ( localeGenPath.isEmpty() ? QLatin1String( "/etc/locale.gen" ) : localeGenPath ) << "\n\tOR" - << "* a complete pre-compiled locale-gen database which allows complete locale -a output."; - return; // something went wrong and there's nothing we can do about it. - } - - // Assuming we have a list of supported locales, we usually only want UTF-8 ones - // because it's not 1995. - auto notUtf8 = []( const QString& s ) { - return !s.contains( "UTF-8", Qt::CaseInsensitive ) && !s.contains( "utf8", Qt::CaseInsensitive ); - }; - auto it = std::remove_if( m_localeGenLines.begin(), m_localeGenLines.end(), notUtf8 ); - m_localeGenLines.erase( it, m_localeGenLines.end() ); - - // We strip " UTF-8" from "en_US.UTF-8 UTF-8" because it's redundant redundant. - // Also simplify whitespace. - auto unredundant = []( QString& s ) { - if ( s.endsWith( " UTF-8" ) ) - { - s.chop( 6 ); - } - s = s.simplified(); - }; - std::for_each( m_localeGenLines.begin(), m_localeGenLines.end(), unredundant ); updateGlobalStorage(); } @@ -319,7 +227,7 @@ LocaleConfiguration LocalePage::guessLocaleConfiguration() const { return LocaleConfiguration::fromLanguageAndLocation( - QLocale().name(), m_localeGenLines, m_tzWidget->currentLocation()->country() ); + QLocale().name(), m_config->supportedLocales(), m_tzWidget->currentLocation()->country() ); } @@ -446,7 +354,7 @@ LocalePage::changeLocale() LCLocaleDialog* dlg = new LCLocaleDialog( m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().language() : m_selectedLocaleConfiguration.language(), - m_localeGenLines, + m_config->supportedLocales(), this ); dlg->exec(); if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) @@ -467,7 +375,7 @@ LocalePage::changeFormats() LCLocaleDialog* dlg = new LCLocaleDialog( m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().lc_numeric : m_selectedLocaleConfiguration.lc_numeric, - m_localeGenLines, + m_config->supportedLocales(), this ); dlg->exec(); if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 1e2052223..ea41f5233 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -43,7 +43,7 @@ public: explicit LocalePage( class Config* config, QWidget* parent = nullptr ); virtual ~LocalePage(); - void init( const QString& initialRegion, const QString& initialZone, const QString& localeGenPath ); + void init( const QString& initialRegion, const QString& initialZone ); QString prettyStatus() const; @@ -95,8 +95,6 @@ private: LocaleConfiguration m_selectedLocaleConfiguration; - QStringList m_localeGenLines; - bool m_blockTzWidgetSet; }; diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 173532bf8..e35b5a112 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -70,7 +70,7 @@ LocaleViewStep::setUpPage() { m_actualWidget = new LocalePage( m_config.get() ); } - m_actualWidget->init( m_startingTimezone.first, m_startingTimezone.second, m_localeGenPath ); + m_actualWidget->init( m_startingTimezone.first, m_startingTimezone.second ); m_widget->layout()->addWidget( m_actualWidget ); ensureSize( m_actualWidget->sizeHint() ); From 931ce20f304075e737bfd44632752a0c852ccf18 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 13:38:20 +0200 Subject: [PATCH 077/123] [locale] Reduce API surface - getLocationPosition doesn't need to be a method, since it calls out to a static function of TimeZoneImageList anyway. --- src/modules/locale/timezonewidget/timezonewidget.cpp | 7 +++++++ src/modules/locale/timezonewidget/timezonewidget.h | 5 ----- 2 files changed, 7 insertions(+), 5 deletions(-) diff --git a/src/modules/locale/timezonewidget/timezonewidget.cpp b/src/modules/locale/timezonewidget/timezonewidget.cpp index b81e0414c..05ee8f54d 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.cpp +++ b/src/modules/locale/timezonewidget/timezonewidget.cpp @@ -34,6 +34,13 @@ #define ZONE_NAME QStringLiteral( "zone" ) #endif +static QPoint +getLocationPosition( const CalamaresUtils::Locale::TZZone* l ) +{ + return TimeZoneImageList::getLocationPosition( l->longitude(), l->latitude() ); +} + + TimeZoneWidget::TimeZoneWidget( QWidget* parent ) : QWidget( parent ) , timeZoneImages( TimeZoneImageList::fromQRC() ) diff --git a/src/modules/locale/timezonewidget/timezonewidget.h b/src/modules/locale/timezonewidget/timezonewidget.h index afebbfd7b..08a0491ee 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.h +++ b/src/modules/locale/timezonewidget/timezonewidget.h @@ -53,11 +53,6 @@ private: TimeZoneImageList timeZoneImages; const TZZone* m_currentLocation = nullptr; // Not owned by me - QPoint getLocationPosition( const TZZone* l ) - { - return timeZoneImages.getLocationPosition( l->longitude(), l->latitude() ); - } - void paintEvent( QPaintEvent* event ); void mousePressEvent( QMouseEvent* event ); }; From 439f828d9b31a63841761a0b982bd9be6f73a910 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 13:47:23 +0200 Subject: [PATCH 078/123] [locale] Document TZ widget --- .../locale/timezonewidget/timezonewidget.h | 27 ++++++++++++++++++- 1 file changed, 26 insertions(+), 1 deletion(-) diff --git a/src/modules/locale/timezonewidget/timezonewidget.h b/src/modules/locale/timezonewidget/timezonewidget.h index 08a0491ee..7ef29d72d 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.h +++ b/src/modules/locale/timezonewidget/timezonewidget.h @@ -31,6 +31,22 @@ #include #include +/** @brief The TimeZoneWidget shows a map and reports where clicks happen + * + * This widget shows a map (unspecified whether it's a whole world map + * or can show regionsvia some kind of internal state). Mouse clicks are + * translated into timezone locations (e.g. the zone for America/New_York). + * + * The current location can be changed programmatically, by name + * or through a pointer to a location. If a pointer is used, take care + * that the pointer is to a zone in the same model as used by the + * widget. + * + * When a location is chosen -- by mouse click or programmatically -- + * the locationChanged() signal is emitted with the new location. + * + * NOTE: the widget currently uses the globally cached TZRegion::fromZoneTab() + */ class TimeZoneWidget : public QWidget { Q_OBJECT @@ -39,10 +55,19 @@ public: explicit TimeZoneWidget( QWidget* parent = nullptr ); + /** @brief Sets a location by name + * + * @p region should be "America" or the like, while @p zone + * names a zone within that region. + */ void setCurrentLocation( QString region, QString zone ); + /** @brief Sets a location by pointer + * + * Pointer should be within the same model as the widget uses. + */ void setCurrentLocation( const TZZone* location ); - const TZZone* currentLocation() { return m_currentLocation; } + const TZZone* currentLocation() { return m_currentLocation; } signals: void locationChanged( const TZZone* location ); From 51b7ec875f7c952ab0bce1e616784006b709dd8f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 13:55:00 +0200 Subject: [PATCH 079/123] [locale] Don't need own copy of zones list --- src/modules/locale/LocalePage.cpp | 8 +++----- src/modules/locale/LocalePage.h | 1 - 2 files changed, 3 insertions(+), 6 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index fa04d1058..9903b2693 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -43,8 +43,7 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) : QWidget( parent ) , m_config( config ) - , m_regionList( CalamaresUtils::Locale::TZRegion::fromZoneTab() ) - , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( m_regionList ) ) + , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( CalamaresUtils::Locale::TZRegion::fromZoneTab() ) ) , m_blockTzWidgetSet( false ) { QBoxLayout* mainLayout = new QVBoxLayout; @@ -118,7 +117,6 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) LocalePage::~LocalePage() { - qDeleteAll( m_regionList ); } @@ -145,7 +143,7 @@ LocalePage::init( const QString& initialRegion, const QString& initialZone ) m_regionCombo->setModel( m_regionModel.get() ); m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); - auto* region = m_regionList.find< TZRegion >( initialRegion ); + auto* region = CalamaresUtils::Locale::TZRegion::fromZoneTab().find< TZRegion >( initialRegion ); if ( region && region->zones().find< TZZone >( initialZone ) ) { m_tzWidget->setCurrentLocation( initialRegion, initialZone ); @@ -297,7 +295,7 @@ LocalePage::regionChanged( int currentIndex ) Q_UNUSED( currentIndex ) QString selectedRegion = m_regionCombo->currentData().toString(); - TZRegion* region = m_regionList.find< TZRegion >( selectedRegion ); + TZRegion* region = CalamaresUtils::Locale::TZRegion::fromZoneTab().find< TZRegion >( selectedRegion ); if ( !region ) { return; diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index ea41f5233..5d40f7fc8 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -79,7 +79,6 @@ private: void changeFormats(); // Dynamically, QList< TZRegion* > - CalamaresUtils::Locale::CStringPairList m_regionList; std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_regionModel; TimeZoneWidget* m_tzWidget; From e8282f27a3af0827d3993ba702612e5a500c0fc8 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 14:06:21 +0200 Subject: [PATCH 080/123] Docs: update RELEASE.md with some GPG-info and remove old steps --- ci/RELEASE.md | 112 +++++++++++++++++++++++--------------------------- 1 file changed, 51 insertions(+), 61 deletions(-) diff --git a/ci/RELEASE.md b/ci/RELEASE.md index 524a67a65..7fa19c26a 100644 --- a/ci/RELEASE.md +++ b/ci/RELEASE.md @@ -1,21 +1,13 @@ # Calamares Release Process > Calamares releases are now rolling when-they-are-ready releases. -> Releases are made from *master* and tagged there. When, in future, +> Releases are made from *calamares* and tagged there. When, in future, > LTS releases resume, these steps may be edited again. > > Most things are automated through the release script [RELEASE.sh](RELEASE.sh) -## (0) A week in advance +## (1) Preparation -* Run [Coverity scan][coverity], fix what's relevant. The Coverity scan runs - automatically once a week on master. The badge is displayed on the - project front page and in the wiki. -* Build with clang -Weverything, fix what's relevant. - ``` - rm -rf build ; mkdir build ; cd build - CC=clang CXX=clang++ cmake .. && make - ``` * Make sure all tests pass. ``` make @@ -25,16 +17,6 @@ an additional environment variable to be set for some tests, which will destroy an attached disk. This is not always desirable. There are some sample config-files that are empty and which fail the config-tests. -* Notify [translators][transifex]. In the dashboard there is an *Announcements* - link that you can use to send a translation announcement. Note that regular - use of `txpush.sh` will notify translators as well of any changes. - -[coverity]: https://scan.coverity.com/projects/calamares-calamares?tab=overview -[transifex]: https://www.transifex.com/calamares/calamares/dashboard/ - - -## (1) Preparation - * Pull latest translations from Transifex. We only push / pull translations from master, so longer-lived branches (e.g. 3.1.x) don't get translation updates. This is to keep the translation workflow simple. The script @@ -47,13 +29,8 @@ fairly complete translations, or use `ci/txstats.py` for an automated suggestion. If there are changes, commit them. * Push the changes. -* Drop the RC variable to 0 in `CMakeLists.txt`, *CALAMARES_VERSION_RC*. -* Check `README.md` and the - [Coding Guide](https://github.com/calamares/calamares/wiki/Develop-Code), - make sure it's all still - relevant. Run `ci/calamaresstyle` to check the C++ code style. - Run pycodestyle on recently-modified Python modules, fix what makes sense. * Check defaults in `settings.conf` and other configuration files. +* Drop the RC variable to 0 in `CMakeLists.txt`, *CALAMARES_VERSION_RC*. * Edit `CHANGES` and set the date of the release. * Commit both. This is usually done with commit-message *Changes: pre-release housekeeping*. @@ -73,44 +50,16 @@ On success, it prints out a suitable signature- and SHA256 blurb for use in the release announcement. -### (2.1) Buld and Test - -* Build with gcc. If available, build again with Clang and double-check - any warnings Clang produces. -* Run the tests; `make test` in the build directory should have no - failures (or if there are, know why they are there). +## (3) Release -### (2.2) Tag +Follow the instructions printed by the release script. -* `git tag -s v1.1.0` Make sure the signing key is known in GitHub, so that the - tag is shown as a verified tag. Do not sign -rc tags. - You can use `make show-version` in the build directory to get the right - version number -- this will fail if you didn't follow step (1). - -### (2.3) Tarball - -* Create tarball: `git-archive-all -v calamares-1.1-rc1.tar.gz` or without - the helper script, - ``` - V=calamares-3.1.5 - git archive -o $V.tar.gz --prefix $V/ master - ``` - Double check that the tarball matches the version number. -* Test tarball (e.g. unpack somewhere else and run the tests from step 0). - - -## (3) Housekeeping - -* Generate MD5 and SHA256 checksums. -* Upload tarball. -* Announce on mailing list, notify packagers. -* Write release article. -* Publish tarball. -* Update download page. +* Push the tags. +* Create a new release on GitHub. +* Upload tarball and signature. * Publish release article on `calamares.io`. -* Publicize on social networks. -* Close associated milestone on GitHub if this is the actual release. -* Publish blog post. +* Close associated milestone on GitHub if it's entirely done. +* Update topic on #calamares IRC channel. ## (4) Post-Release @@ -133,3 +82,44 @@ This release contains contributions from (alphabetically by first name): ## Modules ## - No module changes yet ``` + +# Related Material + +> This section isn't directly related to any specific release, +> but bears on all releases. + +## GPG Key Maintainence + +Calamares uses GPG Keys for signing the tarballs and some commits +(tags, mostly). Calamares uses the **maintainer's** personal GPG +key for this. This section details some GPG activities that the +maintainer should do with those keys. + +- Signing sub-key. It's convenient to use a signing sub-key specifically + for the signing of Calamares. To do so, add a key to the private key. + It's recommended to use key expiry, and to update signing keys periodically. + - Run `gpg -K` to find the key ID of your personal GPG secret key. + - Run `gpg --edit-key ` to edit that personal GPG key. + - In gpg edit-mode, use `addkey`, then pick a key type that is *sign-only* + (e.g. type 4, *RSA (sign only)*), then pick a keysize (3072 seems ok + as of 2020) and set a key expiry time, (e.g. in 18 months time). + - After generation, the secret key information is printed again, now + including the new signing subkey: + ``` +ssb rsa3072/0xCFDDC96F12B1915C + created: 2020-07-11 expires: 2022-01-02 usage: S +``` +- Update the `RELEASE.sh` script with a new signing sub-key ID when a new + one is generated. Also announce the change of signing sub-key (e.g. on + the Calmares site or as part of a release announcement). + - Send the updated key to keyservers with `gpg --send-keys ` + - Optional: sanitize the keyring for use in development machines. + Export the current subkeys of the master key and keep **only** those + secret keys around. There is documentation + [here](https://blog.tinned-software.net/create-gnupg-key-with-sub-keys-to-sign-encrypt-authenticate/) + but be careful. + - Export the public key material with `gpg --export --armor `, + possibly also setting an output file. + - Upload that public key to the relevant GitHub profile. + - Upload that public key to the Calamares site. + From 88d1d255f6a61080ce45d86116c4b662bc78eca5 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 16:13:08 +0200 Subject: [PATCH 081/123] [locale] Add regions & zones models to Config - The models are constant pointers, even if their contents aren't. - Make the top-level (region) model point to the global TZ list. --- src/modules/locale/Config.cpp | 3 +++ src/modules/locale/Config.h | 13 +++++++++++++ 2 files changed, 16 insertions(+) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index d886f1eec..52378b0b4 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -142,6 +142,9 @@ loadLocales( const QString& localeGenPath ) Config::Config( QObject* parent ) : QObject( parent ) + , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( + CalamaresUtils::Locale::TZRegion::fromZoneTab() ) ) + , m_zonesModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >() ) { } diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 34aa8b92f..a98ecc73d 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -21,12 +21,18 @@ #ifndef LOCALE_CONFIG_H #define LOCALE_CONFIG_H +#include "locale/TimeZone.h" + #include +#include + class Config : public QObject { Q_OBJECT Q_PROPERTY( const QStringList& supportedLocales READ supportedLocales CONSTANT FINAL ) + Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) + Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) public: Config( QObject* parent = nullptr ); @@ -36,10 +42,17 @@ public: public Q_SLOTS: const QStringList& supportedLocales() const { return m_localeGenLines; } + CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } + CalamaresUtils::Locale::CStringListModel* zonesModel() const { return m_zonesModel.get(); } private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") QStringList m_localeGenLines; + + /// The regions (America, Asia, Europe ..) + std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_regionModel; + /// The zones for the current region (e.g. America/New_York) + std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_zonesModel; }; From 4d5ff6d5c4d049ddf94921ffe49a48886ff79a98 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 16:27:15 +0200 Subject: [PATCH 082/123] [locale] Make the Page use the region model from Config --- src/modules/locale/LocalePage.cpp | 3 +-- src/modules/locale/LocalePage.h | 3 --- 2 files changed, 1 insertion(+), 5 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 9903b2693..2d0832758 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -43,7 +43,6 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) : QWidget( parent ) , m_config( config ) - , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( CalamaresUtils::Locale::TZRegion::fromZoneTab() ) ) , m_blockTzWidgetSet( false ) { QBoxLayout* mainLayout = new QVBoxLayout; @@ -140,7 +139,7 @@ LocalePage::init( const QString& initialRegion, const QString& initialZone ) { using namespace CalamaresUtils::Locale; - m_regionCombo->setModel( m_regionModel.get() ); + m_regionCombo->setModel( m_config->regionModel() ); m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); auto* region = CalamaresUtils::Locale::TZRegion::fromZoneTab().find< TZRegion >( initialRegion ); diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 5d40f7fc8..6c7fed1d6 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -78,9 +78,6 @@ private: void changeLocale(); void changeFormats(); - // Dynamically, QList< TZRegion* > - std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_regionModel; - TimeZoneWidget* m_tzWidget; QComboBox* m_regionCombo; QComboBox* m_zoneCombo; From f0cac7d6692c472931f4224de95540d402077478 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 16:54:44 +0200 Subject: [PATCH 083/123] [locale] Hook tz widget up to the Config's data --- src/modules/locale/Config.cpp | 16 ++++++++++++++-- src/modules/locale/Config.h | 3 +++ src/modules/locale/LocalePage.cpp | 2 +- .../locale/timezonewidget/timezonewidget.cpp | 8 ++++---- .../locale/timezonewidget/timezonewidget.h | 4 +++- 5 files changed, 25 insertions(+), 8 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 52378b0b4..39ae8732b 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -139,17 +139,29 @@ loadLocales( const QString& localeGenPath ) return localeGenLines; } +static inline const CalamaresUtils::Locale::CStringPairList& +timezoneData() +{ + return CalamaresUtils::Locale::TZRegion::fromZoneTab(); +} + Config::Config( QObject* parent ) : QObject( parent ) - , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( - CalamaresUtils::Locale::TZRegion::fromZoneTab() ) ) + , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( ::timezoneData() ) ) , m_zonesModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >() ) { } Config::~Config() {} +const CalamaresUtils::Locale::CStringPairList& +Config::timezoneData() const +{ + return ::timezoneData(); +} + + void Config::setConfigurationMap( const QVariantMap& configurationMap ) { diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index a98ecc73d..4f8c9bc64 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -33,6 +33,7 @@ class Config : public QObject Q_PROPERTY( const QStringList& supportedLocales READ supportedLocales CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) + Q_PROPERTY( const CalamaresUtils::Locale::CStringPairList& timezoneData READ timezoneData CONSTANT FINAL ) public: Config( QObject* parent = nullptr ); @@ -44,6 +45,8 @@ public Q_SLOTS: const QStringList& supportedLocales() const { return m_localeGenLines; } CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } CalamaresUtils::Locale::CStringListModel* zonesModel() const { return m_zonesModel.get(); } + // Underlying data for the models + const CalamaresUtils::Locale::CStringPairList& timezoneData() const; private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 2d0832758..2a4212fca 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -48,7 +48,7 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) QBoxLayout* mainLayout = new QVBoxLayout; QBoxLayout* tzwLayout = new QHBoxLayout; - m_tzWidget = new TimeZoneWidget( this ); + m_tzWidget = new TimeZoneWidget( config->timezoneData(), this ); tzwLayout->addStretch(); tzwLayout->addWidget( m_tzWidget ); tzwLayout->addStretch(); diff --git a/src/modules/locale/timezonewidget/timezonewidget.cpp b/src/modules/locale/timezonewidget/timezonewidget.cpp index 05ee8f54d..149ad6590 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.cpp +++ b/src/modules/locale/timezonewidget/timezonewidget.cpp @@ -41,9 +41,10 @@ getLocationPosition( const CalamaresUtils::Locale::TZZone* l ) } -TimeZoneWidget::TimeZoneWidget( QWidget* parent ) +TimeZoneWidget::TimeZoneWidget( const CalamaresUtils::Locale::CStringPairList& zones, QWidget* parent ) : QWidget( parent ) , timeZoneImages( TimeZoneImageList::fromQRC() ) + , m_zonesData( zones ) { setMouseTracking( false ); setCursor( Qt::PointingHandCursor ); @@ -67,8 +68,7 @@ void TimeZoneWidget::setCurrentLocation( QString regionName, QString zoneName ) { using namespace CalamaresUtils::Locale; - const auto& regions = TZRegion::fromZoneTab(); - auto* region = regions.find< TZRegion >( regionName ); + auto* region = m_zonesData.find< TZRegion >( regionName ); if ( !region ) { return; @@ -201,7 +201,7 @@ TimeZoneWidget::mousePressEvent( QMouseEvent* event ) using namespace CalamaresUtils::Locale; const TZZone* closest = nullptr; - for ( const auto* region_p : TZRegion::fromZoneTab() ) + for ( const auto* region_p : m_zonesData ) { const auto* region = dynamic_cast< const TZRegion* >( region_p ); if ( region ) diff --git a/src/modules/locale/timezonewidget/timezonewidget.h b/src/modules/locale/timezonewidget/timezonewidget.h index 7ef29d72d..c070b4cd4 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.h +++ b/src/modules/locale/timezonewidget/timezonewidget.h @@ -53,7 +53,7 @@ class TimeZoneWidget : public QWidget public: using TZZone = CalamaresUtils::Locale::TZZone; - explicit TimeZoneWidget( QWidget* parent = nullptr ); + explicit TimeZoneWidget( const CalamaresUtils::Locale::CStringPairList& zones, QWidget* parent = nullptr ); /** @brief Sets a location by name * @@ -76,6 +76,8 @@ private: QFont font; QImage background, pin, currentZoneImage; TimeZoneImageList timeZoneImages; + + const CalamaresUtils::Locale::CStringPairList& m_zonesData; const TZZone* m_currentLocation = nullptr; // Not owned by me void paintEvent( QPaintEvent* event ); From 8c21b5985396af73dc51f1c8b486f3553cdde409 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 18:13:33 +0200 Subject: [PATCH 084/123] [locale] Remove unused localegen (moved to Config earlier) --- src/modules/locale/LocaleViewStep.cpp | 6 ------ src/modules/locale/LocaleViewStep.h | 5 ++--- 2 files changed, 2 insertions(+), 9 deletions(-) diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index e35b5a112..d71523da1 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -201,12 +201,6 @@ LocaleViewStep::setConfigurationMap( const QVariantMap& configurationMap ) = CalamaresUtils::GeoIP::RegionZonePair( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); } - m_localeGenPath = CalamaresUtils::getString( configurationMap, "localeGenPath" ); - if ( m_localeGenPath.isEmpty() ) - { - m_localeGenPath = QStringLiteral( "/etc/locale.gen" ); - } - bool ok = false; QVariantMap geoip = CalamaresUtils::getSubMap( configurationMap, "geoip", ok ); if ( ok ) diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index 4e6c3d262..24764b172 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -72,10 +72,9 @@ private: bool m_nextEnabled; QString m_prettyStatus; - CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; - QString m_localeGenPath; - Calamares::JobList m_jobs; + + CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; std::unique_ptr< Config > m_config; From 5a6a9a0d45d95ebef47019a6632effeead0cd67b Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 22:21:29 +0200 Subject: [PATCH 085/123] [locale] Move job-creation to Config - since Config knows what settings there are, it should create the jobs to run later -- not the Page. - this doesn't work yet, because the Config does **not** know what the selected timezone is yet. --- src/modules/locale/Config.cpp | 17 +++++++++++++++++ src/modules/locale/Config.h | 2 ++ src/modules/locale/LocalePage.cpp | 17 +---------------- src/modules/locale/LocalePage.h | 2 -- src/modules/locale/LocaleViewStep.cpp | 2 +- 5 files changed, 21 insertions(+), 19 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 39ae8732b..2e0eb8173 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -20,6 +20,8 @@ #include "Config.h" +#include "SetTimezoneJob.h" + #include "utils/Logger.h" #include "utils/Variant.h" @@ -172,3 +174,18 @@ Config::setConfigurationMap( const QVariantMap& configurationMap ) } m_localeGenLines = loadLocales( localeGenPath ); } + +Calamares::JobList +Config::createJobs() +{ + Calamares::JobList list; + const CalamaresUtils::Locale::TZZone* location = nullptr; // TODO: m_tzWidget->currentLocation(); + + if ( location ) + { + Calamares::Job* j = new SetTimezoneJob( location->region(), location->zone() ); + list.append( Calamares::job_ptr( j ) ); + } + + return list; +} diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 4f8c9bc64..8e1f29cf7 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -21,6 +21,7 @@ #ifndef LOCALE_CONFIG_H #define LOCALE_CONFIG_H +#include "Job.h" #include "locale/TimeZone.h" #include @@ -40,6 +41,7 @@ public: ~Config(); void setConfigurationMap( const QVariantMap& ); + Calamares::JobList createJobs(); public Q_SLOTS: const QStringList& supportedLocales() const { return m_localeGenLines; } diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 2a4212fca..b3fa8e8e9 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -114,9 +114,7 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) } -LocalePage::~LocalePage() -{ -} +LocalePage::~LocalePage() {} void @@ -185,19 +183,6 @@ LocalePage::prettyStatus() const } -Calamares::JobList -LocalePage::createJobs() -{ - QList< Calamares::job_ptr > list; - const CalamaresUtils::Locale::TZZone* location = m_tzWidget->currentLocation(); - - Calamares::Job* j = new SetTimezoneJob( location->region(), location->zone() ); - list.append( Calamares::job_ptr( j ) ); - - return list; -} - - QMap< QString, QString > LocalePage::localesMap() { diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 6c7fed1d6..c8312309e 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -47,8 +47,6 @@ public: QString prettyStatus() const; - Calamares::JobList createJobs(); - QMap< QString, QString > localesMap(); void onActivate(); diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index d71523da1..81162d843 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -166,7 +166,7 @@ LocaleViewStep::onLeave() { if ( m_actualWidget ) { - m_jobs = m_actualWidget->createJobs(); + m_jobs = m_config->createJobs(); m_prettyStatus = m_actualWidget->prettyStatus(); auto map = m_actualWidget->localesMap(); From 726f88218525b7fa91dca8410b372d2d15be99b4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Mon, 20 Jul 2020 23:06:12 +0200 Subject: [PATCH 086/123] [locale] Move current-location to Config --- src/modules/locale/Config.cpp | 25 ++++++++++++++++++ src/modules/locale/Config.h | 22 ++++++++++++++++ src/modules/locale/LocalePage.cpp | 26 ++++++++----------- .../locale/timezonewidget/timezonewidget.cpp | 20 +++----------- .../locale/timezonewidget/timezonewidget.h | 10 ++----- 5 files changed, 63 insertions(+), 40 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 2e0eb8173..5a97339a8 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -163,6 +163,31 @@ Config::timezoneData() const return ::timezoneData(); } +void +Config::setCurrentLocation( const QString& regionName, const QString& zoneName ) +{ + using namespace CalamaresUtils::Locale; + auto* region = timezoneData().find< TZRegion >( regionName ); + auto* zone = region ? region->zones().find< TZZone >( zoneName ) : nullptr; + if ( zone ) + { + setCurrentLocation( zone ); + } + else + { + setCurrentLocation( QStringLiteral("America"), QStringLiteral("New_York") ); + } +} + +void +Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) +{ + if ( location != m_currentLocation ) + { + m_currentLocation = location; + emit currentLocationChanged( m_currentLocation ); + } +} void Config::setConfigurationMap( const QVariantMap& configurationMap ) diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 8e1f29cf7..44e7c9142 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -35,6 +35,7 @@ class Config : public QObject Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) Q_PROPERTY( const CalamaresUtils::Locale::CStringPairList& timezoneData READ timezoneData CONSTANT FINAL ) + Q_PROPERTY( const CalamaresUtils::Locale::TZZone* currentLocation READ currentLocation WRITE setCurrentLocation NOTIFY currentLocationChanged ) public: Config( QObject* parent = nullptr ); @@ -50,6 +51,23 @@ public Q_SLOTS: // Underlying data for the models const CalamaresUtils::Locale::CStringPairList& timezoneData() const; + /** @brief Sets a location by name + * + * @p region should be "America" or the like, while @p zone + * names a zone within that region. + */ + void setCurrentLocation( const QString& region, const QString& zone ); + /** @brief Sets a location by pointer + * + * Pointer should be within the same model as the widget uses. + */ + void setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ); + + const CalamaresUtils::Locale::TZZone* currentLocation() const { return m_currentLocation; } + +signals: + void currentLocationChanged( const CalamaresUtils::Locale::TZZone* location ); + private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") QStringList m_localeGenLines; @@ -58,6 +76,10 @@ private: std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_regionModel; /// The zones for the current region (e.g. America/New_York) std::unique_ptr< CalamaresUtils::Locale::CStringListModel > m_zonesModel; + + /// The location, points into the timezone data + const CalamaresUtils::Locale::TZZone* m_currentLocation = nullptr; + }; diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index b3fa8e8e9..d4d24afef 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -104,9 +104,13 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) setMinimumWidth( m_tzWidget->width() ); setLayout( mainLayout ); + connect( config, &Config::currentLocationChanged, m_tzWidget, &TimeZoneWidget::setCurrentLocation ); + connect( config, &Config::currentLocationChanged, this, &LocalePage::locationChanged ); + connect( m_tzWidget, &TimeZoneWidget::locationChanged, config, QOverload< const CalamaresUtils::Locale::TZZone* >::of( &Config::setCurrentLocation ) ); + connect( m_regionCombo, QOverload< int >::of( &QComboBox::currentIndexChanged ), this, &LocalePage::regionChanged ); connect( m_zoneCombo, QOverload< int >::of( &QComboBox::currentIndexChanged ), this, &LocalePage::zoneChanged ); - connect( m_tzWidget, &TimeZoneWidget::locationChanged, this, &LocalePage::locationChanged ); + connect( m_localeChangeButton, &QPushButton::clicked, this, &LocalePage::changeLocale ); connect( m_formatsChangeButton, &QPushButton::clicked, this, &LocalePage::changeFormats ); @@ -140,16 +144,7 @@ LocalePage::init( const QString& initialRegion, const QString& initialZone ) m_regionCombo->setModel( m_config->regionModel() ); m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); - auto* region = CalamaresUtils::Locale::TZRegion::fromZoneTab().find< TZRegion >( initialRegion ); - if ( region && region->zones().find< TZZone >( initialZone ) ) - { - m_tzWidget->setCurrentLocation( initialRegion, initialZone ); - } - else - { - m_tzWidget->setCurrentLocation( "America", "New_York" ); - } - + m_config->setCurrentLocation( initialRegion, initialZone ); updateGlobalStorage(); } @@ -209,7 +204,7 @@ LocaleConfiguration LocalePage::guessLocaleConfiguration() const { return LocaleConfiguration::fromLanguageAndLocation( - QLocale().name(), m_config->supportedLocales(), m_tzWidget->currentLocation()->country() ); + QLocale().name(), m_config->supportedLocales(), m_config->currentLocation()->country() ); } @@ -227,7 +222,7 @@ LocalePage::updateGlobalStorage() { auto* gs = Calamares::JobQueue::instance()->globalStorage(); - const auto* location = m_tzWidget->currentLocation(); + const auto* location = m_config->currentLocation(); bool locationChanged = ( location->region() != gs->value( "locationRegion" ) ) || ( location->zone() != gs->value( "locationZone" ) ); @@ -296,9 +291,10 @@ LocalePage::zoneChanged( int currentIndex ) { Q_UNUSED( currentIndex ) if ( !m_blockTzWidgetSet ) - m_tzWidget->setCurrentLocation( m_regionCombo->currentData().toString(), + { + m_config->setCurrentLocation( m_regionCombo->currentData().toString(), m_zoneCombo->currentData().toString() ); - + } updateGlobalStorage(); } diff --git a/src/modules/locale/timezonewidget/timezonewidget.cpp b/src/modules/locale/timezonewidget/timezonewidget.cpp index 149ad6590..df1142e17 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.cpp +++ b/src/modules/locale/timezonewidget/timezonewidget.cpp @@ -65,26 +65,13 @@ TimeZoneWidget::TimeZoneWidget( const CalamaresUtils::Locale::CStringPairList& z void -TimeZoneWidget::setCurrentLocation( QString regionName, QString zoneName ) +TimeZoneWidget::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) { - using namespace CalamaresUtils::Locale; - auto* region = m_zonesData.find< TZRegion >( regionName ); - if ( !region ) + if ( location == m_currentLocation ) { return; } - auto* zone = region->zones().find< TZZone >( zoneName ); - if ( zone ) - { - setCurrentLocation( zone ); - } -} - - -void -TimeZoneWidget::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) -{ m_currentLocation = location; // Set zone @@ -100,7 +87,6 @@ TimeZoneWidget::setCurrentLocation( const CalamaresUtils::Locale::TZZone* locati // Repaint widget repaint(); - emit locationChanged( m_currentLocation ); } @@ -229,6 +215,6 @@ TimeZoneWidget::mousePressEvent( QMouseEvent* event ) // Set zone image and repaint widget setCurrentLocation( closest ); // Emit signal - emit locationChanged( m_currentLocation ); + emit locationChanged( closest ); } } diff --git a/src/modules/locale/timezonewidget/timezonewidget.h b/src/modules/locale/timezonewidget/timezonewidget.h index c070b4cd4..6bb94c0dd 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.h +++ b/src/modules/locale/timezonewidget/timezonewidget.h @@ -55,21 +55,15 @@ public: explicit TimeZoneWidget( const CalamaresUtils::Locale::CStringPairList& zones, QWidget* parent = nullptr ); - /** @brief Sets a location by name - * - * @p region should be "America" or the like, while @p zone - * names a zone within that region. - */ - void setCurrentLocation( QString region, QString zone ); +public Q_SLOTS: /** @brief Sets a location by pointer * * Pointer should be within the same model as the widget uses. */ void setCurrentLocation( const TZZone* location ); - const TZZone* currentLocation() { return m_currentLocation; } - signals: + /** @brief The location has changed by mouse click */ void locationChanged( const TZZone* location ); private: From 98f912f80a59a0e3b61a902d0771e9f05c66833d Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 00:11:16 +0200 Subject: [PATCH 087/123] [locale] Drop LocalePage:;init - setting the initial location is something the Config-object should do - setting up the combo-boxes can be done in the constructor --- src/modules/locale/LocalePage.cpp | 17 ++++------------- src/modules/locale/LocalePage.h | 2 -- src/modules/locale/LocaleViewStep.cpp | 2 +- 3 files changed, 5 insertions(+), 16 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index d4d24afef..f0a2418ac 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -115,6 +115,10 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) connect( m_formatsChangeButton, &QPushButton::clicked, this, &LocalePage::changeFormats ); CALAMARES_RETRANSLATE_SLOT( &LocalePage::updateLocaleLabels ) + + m_regionCombo->setModel( m_config->regionModel() ); + m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); + updateGlobalStorage(); } @@ -136,19 +140,6 @@ LocalePage::updateLocaleLabels() m_formatsLabel->setText( labels.second ); } -void -LocalePage::init( const QString& initialRegion, const QString& initialZone ) -{ - using namespace CalamaresUtils::Locale; - - m_regionCombo->setModel( m_config->regionModel() ); - m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); - - m_config->setCurrentLocation( initialRegion, initialZone ); - - updateGlobalStorage(); -} - std::pair< QString, QString > LocalePage::prettyLocaleStatus( const LocaleConfiguration& lc ) const { diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index c8312309e..3d4b1d03f 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -43,8 +43,6 @@ public: explicit LocalePage( class Config* config, QWidget* parent = nullptr ); virtual ~LocalePage(); - void init( const QString& initialRegion, const QString& initialZone ); - QString prettyStatus() const; QMap< QString, QString > localesMap(); diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 81162d843..e17c7b004 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -70,7 +70,7 @@ LocaleViewStep::setUpPage() { m_actualWidget = new LocalePage( m_config.get() ); } - m_actualWidget->init( m_startingTimezone.first, m_startingTimezone.second ); + m_config->setCurrentLocation( m_startingTimezone.first, m_startingTimezone.second ); m_widget->layout()->addWidget( m_actualWidget ); ensureSize( m_actualWidget->sizeHint() ); From 0645a46b42da350ed25d08d65ade6bdb110583db Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 00:21:16 +0200 Subject: [PATCH 088/123] [libcalamares] Expand RAII conveniences --- src/libcalamares/utils/RAII.h | 20 +++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/src/libcalamares/utils/RAII.h b/src/libcalamares/utils/RAII.h index dae85e84a..28e57ff9e 100644 --- a/src/libcalamares/utils/RAII.h +++ b/src/libcalamares/utils/RAII.h @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2020 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -24,6 +24,7 @@ #define UTILS_RAII_H #include +#include #include @@ -44,4 +45,21 @@ struct cqDeleter } }; +/// @brief Sets a bool to @p value and resets to !value on destruction +template < bool value > +struct cBoolSetter +{ + bool& m_b; + + cBoolSetter( bool& b ) + : m_b( b ) + { + m_b = value; + } + ~cBoolSetter() { m_b = !value; } +}; + +/// @brief Blocks signals on a QObject until destruction +using cSignalBlocker = QSignalBlocker; + #endif From 81520bbbf9c60e21329dd3d38cb10804b3486bd3 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 00:21:42 +0200 Subject: [PATCH 089/123] [locale] Chase RAII conveniences - several early-return paths would leave the TZ widget blocked - use the zones data from config --- src/modules/locale/LocalePage.cpp | 23 +++++++++++++---------- 1 file changed, 13 insertions(+), 10 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index f0a2418ac..abb4b63bc 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -31,6 +31,7 @@ #include "locale/TimeZone.h" #include "utils/CalamaresUtilsGui.h" #include "utils/Logger.h" +#include "utils/RAII.h" #include "utils/Retranslator.h" #include @@ -106,7 +107,10 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) connect( config, &Config::currentLocationChanged, m_tzWidget, &TimeZoneWidget::setCurrentLocation ); connect( config, &Config::currentLocationChanged, this, &LocalePage::locationChanged ); - connect( m_tzWidget, &TimeZoneWidget::locationChanged, config, QOverload< const CalamaresUtils::Locale::TZZone* >::of( &Config::setCurrentLocation ) ); + connect( m_tzWidget, + &TimeZoneWidget::locationChanged, + config, + QOverload< const CalamaresUtils::Locale::TZZone* >::of( &Config::setCurrentLocation ) ); connect( m_regionCombo, QOverload< int >::of( &QComboBox::currentIndexChanged ), this, &LocalePage::regionChanged ); connect( m_zoneCombo, QOverload< int >::of( &QComboBox::currentIndexChanged ), this, &LocalePage::zoneChanged ); @@ -265,15 +269,17 @@ LocalePage::regionChanged( int currentIndex ) Q_UNUSED( currentIndex ) QString selectedRegion = m_regionCombo->currentData().toString(); - TZRegion* region = CalamaresUtils::Locale::TZRegion::fromZoneTab().find< TZRegion >( selectedRegion ); + TZRegion* region = m_config->timezoneData().find< TZRegion >( selectedRegion ); if ( !region ) { return; } - m_zoneCombo->blockSignals( true ); - m_zoneCombo->setModel( new CStringListModel( region->zones() ) ); - m_zoneCombo->blockSignals( false ); + { + cSignalBlocker b( m_zoneCombo ); + m_zoneCombo->setModel( new CStringListModel( region->zones() ) ); + } + m_zoneCombo->currentIndexChanged( m_zoneCombo->currentIndex() ); } @@ -283,8 +289,7 @@ LocalePage::zoneChanged( int currentIndex ) Q_UNUSED( currentIndex ) if ( !m_blockTzWidgetSet ) { - m_config->setCurrentLocation( m_regionCombo->currentData().toString(), - m_zoneCombo->currentData().toString() ); + m_config->setCurrentLocation( m_regionCombo->currentData().toString(), m_zoneCombo->currentData().toString() ); } updateGlobalStorage(); } @@ -292,7 +297,7 @@ LocalePage::zoneChanged( int currentIndex ) void LocalePage::locationChanged( const CalamaresUtils::Locale::TZZone* location ) { - m_blockTzWidgetSet = true; + cBoolSetter< true > b( m_blockTzWidgetSet ); // Set region index int index = m_regionCombo->findData( location->region() ); @@ -312,8 +317,6 @@ LocalePage::locationChanged( const CalamaresUtils::Locale::TZZone* location ) m_zoneCombo->setCurrentIndex( index ); - m_blockTzWidgetSet = false; - updateGlobalStorage(); } From a307217d83d9fcd4e1aa418331b70e954e896135 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 11:08:17 +0200 Subject: [PATCH 090/123] [locale] Tidy LocaleConfiguration - expand API documentation - minor coding-style adjustments --- src/modules/locale/LocaleConfiguration.cpp | 4 +-- src/modules/locale/LocaleConfiguration.h | 37 ++++++++++++++++------ 2 files changed, 29 insertions(+), 12 deletions(-) diff --git a/src/modules/locale/LocaleConfiguration.cpp b/src/modules/locale/LocaleConfiguration.cpp index f1810fb83..055907228 100644 --- a/src/modules/locale/LocaleConfiguration.cpp +++ b/src/modules/locale/LocaleConfiguration.cpp @@ -37,7 +37,7 @@ LocaleConfiguration::LocaleConfiguration( const QString& localeName, const QStri lc_numeric = lc_time = lc_monetary = lc_paper = lc_name = lc_address = lc_telephone = lc_measurement = lc_identification = formatsName; - (void)setLanguage( localeName ); + setLanguage( localeName ); } @@ -83,7 +83,7 @@ LocaleConfiguration::fromLanguageAndLocation( const QString& languageLocale, if ( language == "pt" || language == "zh" ) { QString proposedLocale = QString( "%1_%2" ).arg( language ).arg( countryCode ); - foreach ( QString line, linesForLanguage ) + for ( const QString& line : linesForLanguage ) { if ( line.contains( proposedLocale ) ) { diff --git a/src/modules/locale/LocaleConfiguration.h b/src/modules/locale/LocaleConfiguration.h index 4f4fc6b21..2e02bc02a 100644 --- a/src/modules/locale/LocaleConfiguration.h +++ b/src/modules/locale/LocaleConfiguration.h @@ -26,36 +26,53 @@ class LocaleConfiguration { -public: - /// @brief Create an empty locale, with nothing set - explicit LocaleConfiguration(); - /// @brief Create a locale with everything set to the given @p localeName +public: // TODO: private (but need to be public for tests) + /** @brief Create a locale with everything set to the given @p localeName + * + * Consumers should use fromLanguageAndLocation() instead. + */ explicit LocaleConfiguration( const QString& localeName /* "en_US.UTF-8" */ ) : LocaleConfiguration( localeName, localeName ) { } - /// @brief Create a locale with language and formats separate + /** @brief Create a locale with language and formats separate + * + * Consumers should use fromLanguageAndLocation() instead. + */ explicit LocaleConfiguration( const QString& localeName, const QString& formatsName ); + /// @brief Create an empty locale, with nothing set + explicit LocaleConfiguration(); + + /** @brief Create a "sensible" locale configuration for @p language and @p countryCode + * + * This method applies some heuristics to pick a good locale (from the list + * @p availableLocales), along with a good language (for instance, in + * large countries with many languages, picking a generally used one). + */ static LocaleConfiguration fromLanguageAndLocation( const QString& language, const QStringList& availableLocales, const QString& countryCode ); + /// Is this an empty (default-constructed and not modified) configuration? bool isEmpty() const; - /** @brief sets lang and the BCP47 representation + /** @brief sets language to @p localeName * - * Note that the documentation how this works is in packages.conf + * The language may be regionalized, e.g. "nl_BE". Both the language + * (with region) and BCP47 representation (without region, lowercase) + * are updated. The BCP47 representation is used by the packages module. + * See also `packages.conf` for a discussion of how this is used. */ void setLanguage( const QString& localeName ); + /// Current language (including region) QString language() const { return m_lang; } - - // Note that the documentation how this works is in packages.conf + /// Current language (lowercase, BCP47 format, no region) QString toBcp47() const { return m_languageLocaleBcp47; } QMap< QString, QString > toMap() const; // These become all uppercase in locale.conf, but we keep them lowercase here to - // avoid confusion with locale.h. + // avoid confusion with , which defines (e.g.) LC_NUMERIC macro. QString lc_numeric, lc_time, lc_monetary, lc_paper, lc_name, lc_address, lc_telephone, lc_measurement, lc_identification; From 66eacce654402371439babdce599165b2a3acf24 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 13:16:52 +0200 Subject: [PATCH 091/123] [locale] Move localeconfiguration to Config object - the language and LC settings migrate from page to config - add API for explicitly setting language (which is then preserved when clicking new locations) --- src/modules/locale/Config.cpp | 61 ++++++++++++++++++++++- src/modules/locale/Config.h | 33 ++++++++++++- src/modules/locale/LocalePage.cpp | 82 +++++-------------------------- src/modules/locale/LocalePage.h | 3 -- 4 files changed, 104 insertions(+), 75 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 5a97339a8..c19569d43 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -175,7 +175,8 @@ Config::setCurrentLocation( const QString& regionName, const QString& zoneName ) } else { - setCurrentLocation( QStringLiteral("America"), QStringLiteral("New_York") ); + // Recursive, but America/New_York always exists. + setCurrentLocation( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); } } @@ -185,10 +186,66 @@ Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) if ( location != m_currentLocation ) { m_currentLocation = location; + // Overwrite those settings that have not been made explicit. + auto newLocale = automaticLocaleConfiguration(); + if ( !m_selectedLocaleConfiguration.explicit_lang ) + { + m_selectedLocaleConfiguration.setLanguage( newLocale.language() ); + } + if ( !m_selectedLocaleConfiguration.explicit_lc ) + { + m_selectedLocaleConfiguration.lc_numeric = newLocale.lc_numeric; + m_selectedLocaleConfiguration.lc_time = newLocale.lc_time; + m_selectedLocaleConfiguration.lc_monetary = newLocale.lc_monetary; + m_selectedLocaleConfiguration.lc_paper = newLocale.lc_paper; + m_selectedLocaleConfiguration.lc_name = newLocale.lc_name; + m_selectedLocaleConfiguration.lc_address = newLocale.lc_address; + m_selectedLocaleConfiguration.lc_telephone = newLocale.lc_telephone; + m_selectedLocaleConfiguration.lc_measurement = newLocale.lc_measurement; + m_selectedLocaleConfiguration.lc_identification = newLocale.lc_identification; + } emit currentLocationChanged( m_currentLocation ); } } + +LocaleConfiguration +Config::automaticLocaleConfiguration() const +{ + return LocaleConfiguration::fromLanguageAndLocation( + QLocale().name(), supportedLocales(), currentLocation()->country() ); +} + +LocaleConfiguration +Config::localeConfiguration() const +{ + return m_selectedLocaleConfiguration.isEmpty() ? automaticLocaleConfiguration() : m_selectedLocaleConfiguration; +} + +void +Config::setLanguageExplicitly( const QString& language ) +{ + m_selectedLocaleConfiguration.setLanguage( language ); + m_selectedLocaleConfiguration.explicit_lang = true; +} + +void +Config::setLCLocaleExplicitly( const QString& locale ) +{ + // TODO: improve the granularity of this setting. + m_selectedLocaleConfiguration.lc_numeric = locale; + m_selectedLocaleConfiguration.lc_time = locale; + m_selectedLocaleConfiguration.lc_monetary = locale; + m_selectedLocaleConfiguration.lc_paper = locale; + m_selectedLocaleConfiguration.lc_name = locale; + m_selectedLocaleConfiguration.lc_address = locale; + m_selectedLocaleConfiguration.lc_telephone = locale; + m_selectedLocaleConfiguration.lc_measurement = locale; + m_selectedLocaleConfiguration.lc_identification = locale; + m_selectedLocaleConfiguration.explicit_lc = true; +} + + void Config::setConfigurationMap( const QVariantMap& configurationMap ) { @@ -204,7 +261,7 @@ Calamares::JobList Config::createJobs() { Calamares::JobList list; - const CalamaresUtils::Locale::TZZone* location = nullptr; // TODO: m_tzWidget->currentLocation(); + const CalamaresUtils::Locale::TZZone* location = currentLocation(); if ( location ) { diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 44e7c9142..ff9125c13 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -21,6 +21,8 @@ #ifndef LOCALE_CONFIG_H #define LOCALE_CONFIG_H +#include "LocaleConfiguration.h" + #include "Job.h" #include "locale/TimeZone.h" @@ -35,7 +37,8 @@ class Config : public QObject Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) Q_PROPERTY( const CalamaresUtils::Locale::CStringPairList& timezoneData READ timezoneData CONSTANT FINAL ) - Q_PROPERTY( const CalamaresUtils::Locale::TZZone* currentLocation READ currentLocation WRITE setCurrentLocation NOTIFY currentLocationChanged ) + Q_PROPERTY( const CalamaresUtils::Locale::TZZone* currentLocation READ currentLocation WRITE setCurrentLocation + NOTIFY currentLocationChanged ) public: Config( QObject* parent = nullptr ); @@ -60,11 +63,29 @@ public Q_SLOTS: /** @brief Sets a location by pointer * * Pointer should be within the same model as the widget uses. + * This can update the locale configuration -- the automatic one + * follows the current location, and otherwise only explicitly-set + * values will ignore changes to the location. */ void setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ); + /** @brief The currently selected location (timezone) + * + * The location is a pointer into the date that timezoneData() returns. + * It is possible to return nullptr, if no location has been picked yet. + */ const CalamaresUtils::Locale::TZZone* currentLocation() const { return m_currentLocation; } + /// locale configuration (LC_* and LANG) based solely on the current location. + LocaleConfiguration automaticLocaleConfiguration() const; + /// locale configuration that takes explicit settings into account + LocaleConfiguration localeConfiguration() const; + + /// Set a language by user-choice, overriding future location changes + void setLanguageExplicitly( const QString& language ); + /// Set LC (formats) by user-choice, overriding future location changes + void setLCLocaleExplicitly( const QString& locale ); + signals: void currentLocationChanged( const CalamaresUtils::Locale::TZZone* location ); @@ -80,6 +101,16 @@ private: /// The location, points into the timezone data const CalamaresUtils::Locale::TZZone* m_currentLocation = nullptr; + /** @brief Specific locale configurations + * + * "Automatic" locale configuration based on the location (e.g. + * Europe/Amsterdam means Dutch language and Dutch locale) leave + * this empty; if the user explicitly sets something, then + * this configuration is non-empty and takes precedence over the + * automatic location settings (so a user in Amsterdam can still + * pick Ukranian settings, for instance). + */ + LocaleConfiguration m_selectedLocaleConfiguration; }; diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index abb4b63bc..d09d38540 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -137,8 +137,7 @@ LocalePage::updateLocaleLabels() m_localeChangeButton->setText( tr( "&Change..." ) ); m_formatsChangeButton->setText( tr( "&Change..." ) ); - LocaleConfiguration lc - = m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration() : m_selectedLocaleConfiguration; + LocaleConfiguration lc = m_config->localeConfiguration(); auto labels = prettyLocaleStatus( lc ); m_localeLabel->setText( labels.first ); m_formatsLabel->setText( labels.second ); @@ -163,8 +162,7 @@ LocalePage::prettyStatus() const QString status; status += tr( "Set timezone to %1/%2.
" ).arg( m_regionCombo->currentText() ).arg( m_zoneCombo->currentText() ); - LocaleConfiguration lc - = m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration() : m_selectedLocaleConfiguration; + LocaleConfiguration lc = m_config->localeConfiguration(); auto labels = prettyLocaleStatus( lc ); status += labels.first + "
"; status += labels.second + "
"; @@ -176,8 +174,7 @@ LocalePage::prettyStatus() const QMap< QString, QString > LocalePage::localesMap() { - return m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().toMap() - : m_selectedLocaleConfiguration.toMap(); + return m_config->localeConfiguration().toMap(); } @@ -185,21 +182,8 @@ void LocalePage::onActivate() { m_regionCombo->setFocus(); - if ( m_selectedLocaleConfiguration.isEmpty() || !m_selectedLocaleConfiguration.explicit_lang ) - { - auto newLocale = guessLocaleConfiguration(); - m_selectedLocaleConfiguration.setLanguage( newLocale.language() ); - updateGlobalLocale(); - updateLocaleLabels(); - } -} - - -LocaleConfiguration -LocalePage::guessLocaleConfiguration() const -{ - return LocaleConfiguration::fromLanguageAndLocation( - QLocale().name(), m_config->supportedLocales(), m_config->currentLocation()->country() ); + updateGlobalLocale(); + updateLocaleLabels(); } @@ -207,7 +191,7 @@ void LocalePage::updateGlobalLocale() { auto* gs = Calamares::JobQueue::instance()->globalStorage(); - const QString bcp47 = m_selectedLocaleConfiguration.toBcp47(); + const QString bcp47 = m_config->localeConfiguration().toBcp47(); gs->insert( "locale", bcp47 ); } @@ -236,28 +220,6 @@ LocalePage::updateGlobalStorage() } #endif - // Preserve those settings that have been made explicit. - auto newLocale = guessLocaleConfiguration(); - if ( !m_selectedLocaleConfiguration.isEmpty() && m_selectedLocaleConfiguration.explicit_lang ) - { - newLocale.setLanguage( m_selectedLocaleConfiguration.language() ); - } - if ( !m_selectedLocaleConfiguration.isEmpty() && m_selectedLocaleConfiguration.explicit_lc ) - { - newLocale.lc_numeric = m_selectedLocaleConfiguration.lc_numeric; - newLocale.lc_time = m_selectedLocaleConfiguration.lc_time; - newLocale.lc_monetary = m_selectedLocaleConfiguration.lc_monetary; - newLocale.lc_paper = m_selectedLocaleConfiguration.lc_paper; - newLocale.lc_name = m_selectedLocaleConfiguration.lc_name; - newLocale.lc_address = m_selectedLocaleConfiguration.lc_address; - newLocale.lc_telephone = m_selectedLocaleConfiguration.lc_telephone; - newLocale.lc_measurement = m_selectedLocaleConfiguration.lc_measurement; - newLocale.lc_identification = m_selectedLocaleConfiguration.lc_identification; - } - newLocale.explicit_lang = m_selectedLocaleConfiguration.explicit_lang; - newLocale.explicit_lc = m_selectedLocaleConfiguration.explicit_lc; - - m_selectedLocaleConfiguration = newLocale; updateLocaleLabels(); } @@ -324,17 +286,13 @@ void LocalePage::changeLocale() { LCLocaleDialog* dlg - = new LCLocaleDialog( m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().language() - : m_selectedLocaleConfiguration.language(), - m_config->supportedLocales(), - this ); + = new LCLocaleDialog( m_config->localeConfiguration().language(), m_config->supportedLocales(), this ); dlg->exec(); if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) { - m_selectedLocaleConfiguration.setLanguage( dlg->selectedLCLocale() ); - m_selectedLocaleConfiguration.explicit_lang = true; - this->updateGlobalLocale(); - this->updateLocaleLabels(); + m_config->setLanguageExplicitly( dlg->selectedLCLocale() ); + updateGlobalLocale(); + updateLocaleLabels(); } dlg->deleteLater(); @@ -345,26 +303,12 @@ void LocalePage::changeFormats() { LCLocaleDialog* dlg - = new LCLocaleDialog( m_selectedLocaleConfiguration.isEmpty() ? guessLocaleConfiguration().lc_numeric - : m_selectedLocaleConfiguration.lc_numeric, - m_config->supportedLocales(), - this ); + = new LCLocaleDialog( m_config->localeConfiguration().lc_numeric, m_config->supportedLocales(), this ); dlg->exec(); if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) { - // TODO: improve the granularity of this setting. - m_selectedLocaleConfiguration.lc_numeric = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_time = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_monetary = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_paper = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_name = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_address = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_telephone = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_measurement = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.lc_identification = dlg->selectedLCLocale(); - m_selectedLocaleConfiguration.explicit_lc = true; - - this->updateLocaleLabels(); + m_config->setLCLocaleExplicitly( dlg->selectedLCLocale() ); + updateLocaleLabels(); } dlg->deleteLater(); diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 3d4b1d03f..9690c4d97 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -50,8 +50,6 @@ public: void onActivate(); private: - LocaleConfiguration guessLocaleConfiguration() const; - /// @brief Non-owning pointer to the ViewStep's config Config* m_config; @@ -85,7 +83,6 @@ private: QLabel* m_formatsLabel; QPushButton* m_formatsChangeButton; - LocaleConfiguration m_selectedLocaleConfiguration; bool m_blockTzWidgetSet; }; From abc98cfa796f4c783cc0d1088000f9b98b44de5f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 14:57:09 +0200 Subject: [PATCH 092/123] [locale] Simplify allocation, guard against crashes if the dialog is deleted. --- src/modules/locale/LocalePage.cpp | 17 +++++++++-------- 1 file changed, 9 insertions(+), 8 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index d09d38540..98383b429 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -38,6 +38,7 @@ #include #include #include +#include #include #include @@ -285,31 +286,31 @@ LocalePage::locationChanged( const CalamaresUtils::Locale::TZZone* location ) void LocalePage::changeLocale() { - LCLocaleDialog* dlg - = new LCLocaleDialog( m_config->localeConfiguration().language(), m_config->supportedLocales(), this ); + QPointer< LCLocaleDialog > dlg( + new LCLocaleDialog( m_config->localeConfiguration().language(), m_config->supportedLocales(), this ) ); dlg->exec(); - if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) + if ( dlg && dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) { m_config->setLanguageExplicitly( dlg->selectedLCLocale() ); updateGlobalLocale(); updateLocaleLabels(); } - dlg->deleteLater(); + delete dlg; } void LocalePage::changeFormats() { - LCLocaleDialog* dlg - = new LCLocaleDialog( m_config->localeConfiguration().lc_numeric, m_config->supportedLocales(), this ); + QPointer< LCLocaleDialog > dlg( + new LCLocaleDialog( m_config->localeConfiguration().lc_numeric, m_config->supportedLocales(), this ) ); dlg->exec(); - if ( dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) + if ( dlg && dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) { m_config->setLCLocaleExplicitly( dlg->selectedLCLocale() ); updateLocaleLabels(); } - dlg->deleteLater(); + delete dlg; } From 855b21a7dbcf67a4f391886fa3c8ea36d93ee0bd Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 15:35:38 +0200 Subject: [PATCH 093/123] [locale] Remove redundant method - configuration information lives in the Config object --- src/modules/locale/LocalePage.cpp | 8 -------- src/modules/locale/LocalePage.h | 2 -- src/modules/locale/LocaleViewStep.cpp | 2 +- 3 files changed, 1 insertion(+), 11 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 98383b429..58ea4a81c 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -171,14 +171,6 @@ LocalePage::prettyStatus() const return status; } - -QMap< QString, QString > -LocalePage::localesMap() -{ - return m_config->localeConfiguration().toMap(); -} - - void LocalePage::onActivate() { diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 9690c4d97..3a4dd93a9 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -45,8 +45,6 @@ public: QString prettyStatus() const; - QMap< QString, QString > localesMap(); - void onActivate(); private: diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index e17c7b004..c7ed8766b 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -169,7 +169,7 @@ LocaleViewStep::onLeave() m_jobs = m_config->createJobs(); m_prettyStatus = m_actualWidget->prettyStatus(); - auto map = m_actualWidget->localesMap(); + auto map = m_config->localeConfiguration().toMap(); QVariantMap vm; for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) { From ef08ff6ac09cb3f10937a6001f2dd08d6c198980 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 15:51:49 +0200 Subject: [PATCH 094/123] [locale] Move status strings from Page to Config - the config knows the status and how to describe it, fetch the strings from there. --- src/modules/locale/Config.cpp | 28 +++++++++++++++++++++++++++ src/modules/locale/Config.h | 13 +++++++++++++ src/modules/locale/LocalePage.cpp | 28 +-------------------------- src/modules/locale/LocalePage.h | 6 ------ src/modules/locale/LocaleViewStep.cpp | 2 +- 5 files changed, 43 insertions(+), 34 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index c19569d43..8893d387a 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -22,6 +22,7 @@ #include "SetTimezoneJob.h" +#include "locale/Label.h" #include "utils/Logger.h" #include "utils/Variant.h" @@ -245,6 +246,33 @@ Config::setLCLocaleExplicitly( const QString& locale ) m_selectedLocaleConfiguration.explicit_lc = true; } +std::pair< QString, QString > +Config::prettyLocaleStatus() const +{ + using CalamaresUtils::Locale::Label; + + Label lang( m_selectedLocaleConfiguration.language(), Label::LabelFormat::AlwaysWithCountry ); + Label num( m_selectedLocaleConfiguration.lc_numeric, Label::LabelFormat::AlwaysWithCountry ); + + return std::make_pair< QString, QString >( + tr( "The system language will be set to %1." ).arg( lang.label() ), + tr( "The numbers and dates locale will be set to %1." ).arg( num.label() ) ); +} + +QString +Config::prettyStatus() const +{ + QString br( QStringLiteral("
")); + QString status; + status += tr( "Set timezone to %1/%2." ).arg( m_currentLocation->region(), m_currentLocation->zone() ) + br; + + auto labels = prettyLocaleStatus(); + status += labels.first + br; + status += labels.second + br; + + return status; +} + void Config::setConfigurationMap( const QVariantMap& configurationMap ) diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index ff9125c13..91ed8f1be 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -47,6 +47,19 @@ public: void setConfigurationMap( const QVariantMap& ); Calamares::JobList createJobs(); + /** @brief Human-readable status for language and LC + * + * For the current locale config, return two strings describing + * the settings for language and numbers. + */ + std::pair< QString, QString > prettyLocaleStatus() const; + /** @brief Human-readable zone, language and LC status + * + * Concatenates all three strings with
+ */ + QString prettyStatus() const; + + public Q_SLOTS: const QStringList& supportedLocales() const { return m_localeGenLines; } CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 58ea4a81c..fb3433d23 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -138,38 +138,12 @@ LocalePage::updateLocaleLabels() m_localeChangeButton->setText( tr( "&Change..." ) ); m_formatsChangeButton->setText( tr( "&Change..." ) ); - LocaleConfiguration lc = m_config->localeConfiguration(); - auto labels = prettyLocaleStatus( lc ); + auto labels = m_config->prettyLocaleStatus(); m_localeLabel->setText( labels.first ); m_formatsLabel->setText( labels.second ); } -std::pair< QString, QString > -LocalePage::prettyLocaleStatus( const LocaleConfiguration& lc ) const -{ - using CalamaresUtils::Locale::Label; - - Label lang( lc.language(), Label::LabelFormat::AlwaysWithCountry ); - Label num( lc.lc_numeric, Label::LabelFormat::AlwaysWithCountry ); - - return std::make_pair< QString, QString >( - tr( "The system language will be set to %1." ).arg( lang.label() ), - tr( "The numbers and dates locale will be set to %1." ).arg( num.label() ) ); -} -QString -LocalePage::prettyStatus() const -{ - QString status; - status += tr( "Set timezone to %1/%2.
" ).arg( m_regionCombo->currentText() ).arg( m_zoneCombo->currentText() ); - - LocaleConfiguration lc = m_config->localeConfiguration(); - auto labels = prettyLocaleStatus( lc ); - status += labels.first + "
"; - status += labels.second + "
"; - - return status; -} void LocalePage::onActivate() diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index 3a4dd93a9..b40aeb465 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -43,18 +43,12 @@ public: explicit LocalePage( class Config* config, QWidget* parent = nullptr ); virtual ~LocalePage(); - QString prettyStatus() const; - void onActivate(); private: /// @brief Non-owning pointer to the ViewStep's config Config* m_config; - // For the given locale config, return two strings describing - // the settings for language and numbers. - std::pair< QString, QString > prettyLocaleStatus( const LocaleConfiguration& ) const; - /** @brief Update the GS *locale* key with the selected system language. * * This uses whatever is set in m_selectedLocaleConfiguration as the language, diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index c7ed8766b..00752ebb6 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -167,7 +167,7 @@ LocaleViewStep::onLeave() if ( m_actualWidget ) { m_jobs = m_config->createJobs(); - m_prettyStatus = m_actualWidget->prettyStatus(); + m_prettyStatus = m_config->prettyStatus(); auto map = m_config->localeConfiguration().toMap(); QVariantMap vm; From f7c2e4a3e77221acf9ebe016acbb7da44ff87cf1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 16:27:21 +0200 Subject: [PATCH 095/123] [locale] Sanitize Config signals and slots - remove the weirdly-structured prettyStatus and similar: the Config object has human-readable status strings (three, for location, language, and LC-formats) which can be normal properties with signals. - Implement prettyStatus in the view step by querying the Config. --- src/modules/locale/Config.cpp | 43 +++++++++++------- src/modules/locale/Config.h | 64 ++++++++++++++------------- src/modules/locale/LocalePage.cpp | 9 ++-- src/modules/locale/LocaleViewStep.cpp | 4 +- src/modules/locale/LocaleViewStep.h | 1 - 5 files changed, 65 insertions(+), 56 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 8893d387a..cdd4e767f 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -192,6 +192,7 @@ Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) if ( !m_selectedLocaleConfiguration.explicit_lang ) { m_selectedLocaleConfiguration.setLanguage( newLocale.language() ); + emit currentLanguageStatusChanged( currentLanguageStatus() ); } if ( !m_selectedLocaleConfiguration.explicit_lc ) { @@ -204,6 +205,8 @@ Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) m_selectedLocaleConfiguration.lc_telephone = newLocale.lc_telephone; m_selectedLocaleConfiguration.lc_measurement = newLocale.lc_measurement; m_selectedLocaleConfiguration.lc_identification = newLocale.lc_identification; + + emit currentLCStatusChanged( currentLCStatus() ); } emit currentLocationChanged( m_currentLocation ); } @@ -228,6 +231,8 @@ Config::setLanguageExplicitly( const QString& language ) { m_selectedLocaleConfiguration.setLanguage( language ); m_selectedLocaleConfiguration.explicit_lang = true; + + emit currentLanguageStatusChanged( currentLanguageStatus() ); } void @@ -244,33 +249,37 @@ Config::setLCLocaleExplicitly( const QString& locale ) m_selectedLocaleConfiguration.lc_measurement = locale; m_selectedLocaleConfiguration.lc_identification = locale; m_selectedLocaleConfiguration.explicit_lc = true; + + emit currentLCStatusChanged( currentLCStatus() ); } -std::pair< QString, QString > -Config::prettyLocaleStatus() const +QString +Config::currentLocationStatus() const { - using CalamaresUtils::Locale::Label; + return tr( "Set timezone to %1/%2." ).arg( m_currentLocation->region(), m_currentLocation->zone() ); +} - Label lang( m_selectedLocaleConfiguration.language(), Label::LabelFormat::AlwaysWithCountry ); - Label num( m_selectedLocaleConfiguration.lc_numeric, Label::LabelFormat::AlwaysWithCountry ); +static inline QString +localeLabel( const QString& s ) +{ + using CalamaresUtils::Locale::Label; - return std::make_pair< QString, QString >( - tr( "The system language will be set to %1." ).arg( lang.label() ), - tr( "The numbers and dates locale will be set to %1." ).arg( num.label() ) ); + Label lang( s, Label::LabelFormat::AlwaysWithCountry ); + return lang.label(); } QString -Config::prettyStatus() const +Config::currentLanguageStatus() const { - QString br( QStringLiteral("
")); - QString status; - status += tr( "Set timezone to %1/%2." ).arg( m_currentLocation->region(), m_currentLocation->zone() ) + br; - - auto labels = prettyLocaleStatus(); - status += labels.first + br; - status += labels.second + br; + return tr( "The system language will be set to %1." ) + .arg( localeLabel( m_selectedLocaleConfiguration.language() ) ); +} - return status; +QString +Config::currentLCStatus() const +{ + return tr( "The numbers and dates locale will be set to %1." ) + .arg( localeLabel( m_selectedLocaleConfiguration.lc_numeric ) ); } diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 91ed8f1be..c4a512100 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -36,10 +36,14 @@ class Config : public QObject Q_PROPERTY( const QStringList& supportedLocales READ supportedLocales CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* zonesModel READ zonesModel CONSTANT FINAL ) Q_PROPERTY( CalamaresUtils::Locale::CStringListModel* regionModel READ regionModel CONSTANT FINAL ) - Q_PROPERTY( const CalamaresUtils::Locale::CStringPairList& timezoneData READ timezoneData CONSTANT FINAL ) + Q_PROPERTY( const CalamaresUtils::Locale::TZZone* currentLocation READ currentLocation WRITE setCurrentLocation NOTIFY currentLocationChanged ) + Q_PROPERTY( QString currentLocationStatus READ currentLocationStatus NOTIFY currentLanguageStatusChanged ) + Q_PROPERTY( QString currentLanguageStatus READ currentLanguageStatus NOTIFY currentLanguageStatusChanged ) + Q_PROPERTY( QString currentLCStatus READ currentLCStatus NOTIFY currentLCStatusChanged ) + public: Config( QObject* parent = nullptr ); ~Config(); @@ -47,25 +51,37 @@ public: void setConfigurationMap( const QVariantMap& ); Calamares::JobList createJobs(); - /** @brief Human-readable status for language and LC - * - * For the current locale config, return two strings describing - * the settings for language and numbers. - */ - std::pair< QString, QString > prettyLocaleStatus() const; - /** @brief Human-readable zone, language and LC status + // Underlying data for the models + const CalamaresUtils::Locale::CStringPairList& timezoneData() const; + + /** @brief The currently selected location (timezone) * - * Concatenates all three strings with
+ * The location is a pointer into the date that timezoneData() returns. + * It is possible to return nullptr, if no location has been picked yet. */ - QString prettyStatus() const; + const CalamaresUtils::Locale::TZZone* currentLocation() const { return m_currentLocation; } + /// locale configuration (LC_* and LANG) based solely on the current location. + LocaleConfiguration automaticLocaleConfiguration() const; + /// locale configuration that takes explicit settings into account + LocaleConfiguration localeConfiguration() const; + + /// The human-readable description of what timezone is used + QString currentLocationStatus() const; + /// The human-readable description of what language is used + QString currentLanguageStatus() const; + /// The human-readable description of what locale (LC_*) is used + QString currentLCStatus() const; -public Q_SLOTS: const QStringList& supportedLocales() const { return m_localeGenLines; } CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } CalamaresUtils::Locale::CStringListModel* zonesModel() const { return m_zonesModel.get(); } - // Underlying data for the models - const CalamaresUtils::Locale::CStringPairList& timezoneData() const; + +public Q_SLOTS: + /// Set a language by user-choice, overriding future location changes + void setLanguageExplicitly( const QString& language ); + /// Set LC (formats) by user-choice, overriding future location changes + void setLCLocaleExplicitly( const QString& locale ); /** @brief Sets a location by name * @@ -82,25 +98,11 @@ public Q_SLOTS: */ void setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ); - /** @brief The currently selected location (timezone) - * - * The location is a pointer into the date that timezoneData() returns. - * It is possible to return nullptr, if no location has been picked yet. - */ - const CalamaresUtils::Locale::TZZone* currentLocation() const { return m_currentLocation; } - - /// locale configuration (LC_* and LANG) based solely on the current location. - LocaleConfiguration automaticLocaleConfiguration() const; - /// locale configuration that takes explicit settings into account - LocaleConfiguration localeConfiguration() const; - - /// Set a language by user-choice, overriding future location changes - void setLanguageExplicitly( const QString& language ); - /// Set LC (formats) by user-choice, overriding future location changes - void setLCLocaleExplicitly( const QString& locale ); - signals: - void currentLocationChanged( const CalamaresUtils::Locale::TZZone* location ); + void currentLocationChanged( const CalamaresUtils::Locale::TZZone* location ) const; + void currentLocationStatusChanged( const QString& ) const; + void currentLanguageStatusChanged( const QString& ) const; + void currentLCStatusChanged( const QString& ) const; private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index fb3433d23..c312f39f6 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -106,6 +106,8 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) setMinimumWidth( m_tzWidget->width() ); setLayout( mainLayout ); + connect( config, &Config::currentLCStatusChanged, m_formatsLabel, &QLabel::setText ); + connect( config, &Config::currentLanguageStatusChanged, m_localeLabel, &QLabel::setText ); connect( config, &Config::currentLocationChanged, m_tzWidget, &TimeZoneWidget::setCurrentLocation ); connect( config, &Config::currentLocationChanged, this, &LocalePage::locationChanged ); connect( m_tzWidget, @@ -137,14 +139,11 @@ LocalePage::updateLocaleLabels() m_zoneLabel->setText( tr( "Zone:" ) ); m_localeChangeButton->setText( tr( "&Change..." ) ); m_formatsChangeButton->setText( tr( "&Change..." ) ); - - auto labels = m_config->prettyLocaleStatus(); - m_localeLabel->setText( labels.first ); - m_formatsLabel->setText( labels.second ); + m_localeLabel->setText( m_config->currentLanguageStatus() ); + m_formatsLabel->setText( m_config->currentLCStatus() ); } - void LocalePage::onActivate() { diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 00752ebb6..31f8eb8bd 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -104,7 +104,8 @@ LocaleViewStep::prettyName() const QString LocaleViewStep::prettyStatus() const { - return m_prettyStatus; + QStringList l { m_config->currentLocationStatus(), m_config->currentLanguageStatus(), m_config->currentLCStatus() }; + return l.join( QStringLiteral( "
" ) ); } @@ -167,7 +168,6 @@ LocaleViewStep::onLeave() if ( m_actualWidget ) { m_jobs = m_config->createJobs(); - m_prettyStatus = m_config->prettyStatus(); auto map = m_config->localeConfiguration().toMap(); QVariantMap vm; diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index 24764b172..cb1902f2e 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -70,7 +70,6 @@ private: LocalePage* m_actualWidget; bool m_nextEnabled; - QString m_prettyStatus; Calamares::JobList m_jobs; From 1de2210d29e4403d57fadf538c8a6ca82df3a5c8 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 17:37:09 +0200 Subject: [PATCH 096/123] [locale] Move the GS updating to the Config object - since all locale changes need to be entered into GS anyway, this is something the Config object can do because it is the source of truth for locale settings. - drop all the GS settings from the Page. --- src/modules/locale/Config.cpp | 33 ++++++++++++++++++++++++ src/modules/locale/LocalePage.cpp | 42 ------------------------------- src/modules/locale/LocalePage.h | 7 ------ 3 files changed, 33 insertions(+), 49 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index cdd4e767f..5fa8b3c8b 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -22,6 +22,9 @@ #include "SetTimezoneJob.h" +#include "GlobalStorage.h" +#include "JobQueue.h" +#include "Settings.h" #include "locale/Label.h" #include "utils/Logger.h" #include "utils/Variant.h" @@ -154,6 +157,36 @@ Config::Config( QObject* parent ) , m_regionModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >( ::timezoneData() ) ) , m_zonesModel( std::make_unique< CalamaresUtils::Locale::CStringListModel >() ) { + // Slightly unusual: connect to our *own* signals. Wherever the language + // or the location is changed, these signals are emitted, so hook up to + // them to update global storage accordingly. This simplifies code: + // we don't need to call an update-GS method, or introduce an intermediate + // update-thing-and-GS method. And everywhere where we **do** change + // language or location, we already emit the signal. + connect( this, &Config::currentLanguageStatusChanged, [&]() { + auto* gs = Calamares::JobQueue::instance()->globalStorage(); + gs->insert( "locale", m_selectedLocaleConfiguration.toBcp47() ); + } ); + + connect( this, &Config::currentLocationChanged, [&]() { + auto* gs = Calamares::JobQueue::instance()->globalStorage(); + const auto* location = currentLocation(); + bool locationChanged = ( location->region() != gs->value( "locationRegion" ) ) + || ( location->zone() != gs->value( "locationZone" ) ); + + gs->insert( "locationRegion", location->region() ); + gs->insert( "locationZone", location->zone() ); + + // If we're in chroot mode (normal install mode), then we immediately set the + // timezone on the live system. When debugging timezones, don't bother. +#ifndef DEBUG_TIMEZONES + if ( locationChanged && Calamares::Settings::instance()->doChroot() ) + { + QProcess::execute( "timedatectl", // depends on systemd + { "set-timezone", location->region() + '/' + location->zone() } ); + } +#endif + } ); } Config::~Config() {} diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index c312f39f6..0ea56a072 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -125,7 +125,6 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) m_regionCombo->setModel( m_config->regionModel() ); m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); - updateGlobalStorage(); } @@ -148,47 +147,10 @@ void LocalePage::onActivate() { m_regionCombo->setFocus(); - updateGlobalLocale(); updateLocaleLabels(); } -void -LocalePage::updateGlobalLocale() -{ - auto* gs = Calamares::JobQueue::instance()->globalStorage(); - const QString bcp47 = m_config->localeConfiguration().toBcp47(); - gs->insert( "locale", bcp47 ); -} - - -void -LocalePage::updateGlobalStorage() -{ - auto* gs = Calamares::JobQueue::instance()->globalStorage(); - - const auto* location = m_config->currentLocation(); - bool locationChanged = ( location->region() != gs->value( "locationRegion" ) ) - || ( location->zone() != gs->value( "locationZone" ) ); - - gs->insert( "locationRegion", location->region() ); - gs->insert( "locationZone", location->zone() ); - - updateGlobalLocale(); - - // If we're in chroot mode (normal install mode), then we immediately set the - // timezone on the live system. When debugging timezones, don't bother. -#ifndef DEBUG_TIMEZONES - if ( locationChanged && Calamares::Settings::instance()->doChroot() ) - { - QProcess::execute( "timedatectl", // depends on systemd - { "set-timezone", location->region() + '/' + location->zone() } ); - } -#endif - - updateLocaleLabels(); -} - void LocalePage::regionChanged( int currentIndex ) { @@ -219,7 +181,6 @@ LocalePage::zoneChanged( int currentIndex ) { m_config->setCurrentLocation( m_regionCombo->currentData().toString(), m_zoneCombo->currentData().toString() ); } - updateGlobalStorage(); } void @@ -244,8 +205,6 @@ LocalePage::locationChanged( const CalamaresUtils::Locale::TZZone* location ) } m_zoneCombo->setCurrentIndex( index ); - - updateGlobalStorage(); } void @@ -257,7 +216,6 @@ LocalePage::changeLocale() if ( dlg && dlg->result() == QDialog::Accepted && !dlg->selectedLCLocale().isEmpty() ) { m_config->setLanguageExplicitly( dlg->selectedLCLocale() ); - updateGlobalLocale(); updateLocaleLabels(); } diff --git a/src/modules/locale/LocalePage.h b/src/modules/locale/LocalePage.h index b40aeb465..bf41f8f69 100644 --- a/src/modules/locale/LocalePage.h +++ b/src/modules/locale/LocalePage.h @@ -49,13 +49,6 @@ private: /// @brief Non-owning pointer to the ViewStep's config Config* m_config; - /** @brief Update the GS *locale* key with the selected system language. - * - * This uses whatever is set in m_selectedLocaleConfiguration as the language, - * and writes it to GS *locale* key (as a string, in BCP47 format). - */ - void updateGlobalLocale(); - void updateGlobalStorage(); void updateLocaleLabels(); void regionChanged( int currentIndex ); From 995ebd5c834d564a2b0f128f5ad1212ed562a515 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Tue, 21 Jul 2020 17:44:44 +0200 Subject: [PATCH 097/123] [locale] Remove unused #includes --- src/modules/locale/LocalePage.cpp | 10 +--------- 1 file changed, 1 insertion(+), 9 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 0ea56a072..3999599c9 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -20,15 +20,9 @@ #include "LocalePage.h" #include "Config.h" -#include "SetTimezoneJob.h" +#include "LCLocaleDialog.h" #include "timezonewidget/timezonewidget.h" -#include "GlobalStorage.h" -#include "JobQueue.h" -#include "LCLocaleDialog.h" -#include "Settings.h" -#include "locale/Label.h" -#include "locale/TimeZone.h" #include "utils/CalamaresUtilsGui.h" #include "utils/Logger.h" #include "utils/RAII.h" @@ -36,10 +30,8 @@ #include #include -#include #include #include -#include #include LocalePage::LocalePage( Config* config, QWidget* parent ) From f6419d5de123077a5961de9b481fefba6b7b551f Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 00:06:56 +0200 Subject: [PATCH 098/123] [locale] New setting *adjustLiveTimezone* - allow finer-grained control over whether-or-not to adjust the timezone in the live system. - handle some special cases at the point of loading-configuration. - document the setting in locale.conf - correct some documentation bugs - adjust the YAML schema for locale.conf so it's legal YAML syntax **and** validates the current file. --- src/modules/locale/Config.cpp | 23 ++++++++++++++---- src/modules/locale/Config.h | 7 ++++++ src/modules/locale/locale.conf | 17 ++++++++++--- src/modules/locale/locale.schema.yaml | 35 ++++++++++++++++++++++++--- 4 files changed, 69 insertions(+), 13 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 5fa8b3c8b..4a2923081 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -177,15 +177,11 @@ Config::Config( QObject* parent ) gs->insert( "locationRegion", location->region() ); gs->insert( "locationZone", location->zone() ); - // If we're in chroot mode (normal install mode), then we immediately set the - // timezone on the live system. When debugging timezones, don't bother. -#ifndef DEBUG_TIMEZONES - if ( locationChanged && Calamares::Settings::instance()->doChroot() ) + if ( locationChanged && m_adjustLiveTimezone ) { QProcess::execute( "timedatectl", // depends on systemd { "set-timezone", location->region() + '/' + location->zone() } ); } -#endif } ); } @@ -325,6 +321,23 @@ Config::setConfigurationMap( const QVariantMap& configurationMap ) localeGenPath = QStringLiteral( "/etc/locale.gen" ); } m_localeGenLines = loadLocales( localeGenPath ); + + m_adjustLiveTimezone + = CalamaresUtils::getBool( configurationMap, "adjustLiveTimezone", Calamares::Settings::instance()->doChroot() ); +#ifdef DEBUG_TIMEZONES + if ( m_adjustLiveTimezone ) + { + cDebug() << "Turning off live-timezone adjustments because debugging is on."; + m_adjustLiveTimezone = false; + } +#endif +#ifdef __FreeBSD__ + if ( m_adjustLiveTimezone ) + { + cDebug() << "Turning off live-timezone adjustments on FreeBSD."; + m_adjustLiveTimezone = false; + } +#endif } Calamares::JobList diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index c4a512100..c8710f4a9 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -126,6 +126,13 @@ private: * pick Ukranian settings, for instance). */ LocaleConfiguration m_selectedLocaleConfiguration; + + /** @brief Should we adjust the "live" timezone when the location changes? + * + * In the Widgets UI, clicking around on the world map adjusts the + * timezone, and the live system can be made to follow that. + */ + bool m_adjustLiveTimezone; }; diff --git a/src/modules/locale/locale.conf b/src/modules/locale/locale.conf index dc68a050f..572326f0b 100644 --- a/src/modules/locale/locale.conf +++ b/src/modules/locale/locale.conf @@ -1,5 +1,5 @@ --- -# This settings are used to set your default system time zone. +# These settings are used to set your default system time zone. # Time zones are usually located under /usr/share/zoneinfo and # provided by the 'tzdata' package of your Distribution. # @@ -14,17 +14,26 @@ region: "America" zone: "New_York" +# Should changing the system location (e.g. clicking around on the timezone +# map) immediately reflect the changed timezone in the live system? +# By default, installers (with a target system) do, and setup (e.g. OEM +# configuration) does not, but you can switch it on here (or off, if +# you think it's annoying in the installer). +# +# Note that not all systems support live adjustment. +# +# adjustLiveTimezone: true # System locales are detected in the following order: # # - /usr/share/i18n/SUPPORTED # - localeGenPath (defaults to /etc/locale.gen if not set) -# - 'locale -a' output +# - `locale -a` output # -# Enable only when your Distribution is using an +# Enable only when your Distribution is using a # custom path for locale.gen # -#localeGenPath: "PATH_TO/locale.gen" +#localeGenPath: "/etc/locale.gen" # GeoIP based Language settings: Leave commented out to disable GeoIP. # diff --git a/src/modules/locale/locale.schema.yaml b/src/modules/locale/locale.schema.yaml index 41c3ad487..6eadb5c85 100644 --- a/src/modules/locale/locale.schema.yaml +++ b/src/modules/locale/locale.schema.yaml @@ -4,7 +4,34 @@ $id: https://calamares.io/schemas/locale additionalProperties: false type: object properties: - "region": { type: str } - "zone": { type: str } - "localeGenPath": { type: string, required: true } - "geoipUrl": { type: str } + region: { type: string, + enum: [ + Africa, + America, + Antarctica, + Arctic, + Asia, + Atlantic, + Australia, + Europe, + Indian, + Pacific + ] + } + zone: { type: string } + + adjustLiveTimezone: { type: boolean, default: true } + + localeGenPath: { type: string } + + # TODO: refactor, this is reused in welcome + geoip: + additionalProperties: false + type: object + properties: + style: { type: string, enum: [ none, fixed, xml, json ] } + url: { type: string } + selector: { type: string } + required: [ style, url, selector ] + +required: [ region, zone ] From 0c9480aa3f0fe7f17704354134f573fa2fd31ddf Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 00:23:50 +0200 Subject: [PATCH 099/123] [locale] Move more business logic to Config - writing *localeConf* settings to GS can be done always when the formats are set, rather than special-cased. The code that handles the "special case" of no widget existing for the ViewStep overlooks the other crashes that happen then. - Since Config knows what jobs to create, just ask it rather than keeping a copy. --- src/modules/locale/Config.cpp | 12 +++++++++++- src/modules/locale/LocaleViewStep.cpp | 20 +------------------- src/modules/locale/LocaleViewStep.h | 2 -- 3 files changed, 12 insertions(+), 22 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 4a2923081..cb0fe7734 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -170,18 +170,28 @@ Config::Config( QObject* parent ) connect( this, &Config::currentLocationChanged, [&]() { auto* gs = Calamares::JobQueue::instance()->globalStorage(); + + // Update the GS region and zone (and possibly the live timezone) const auto* location = currentLocation(); bool locationChanged = ( location->region() != gs->value( "locationRegion" ) ) || ( location->zone() != gs->value( "locationZone" ) ); gs->insert( "locationRegion", location->region() ); gs->insert( "locationZone", location->zone() ); - if ( locationChanged && m_adjustLiveTimezone ) { QProcess::execute( "timedatectl", // depends on systemd { "set-timezone", location->region() + '/' + location->zone() } ); } + + // Update GS localeConf (the LC_ variables) + auto map = localeConfiguration().toMap(); + QVariantMap vm; + for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) + { + vm.insert( it.key(), it.value() ); + } + gs->insert( "localeConf", vm ); } ); } diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 31f8eb8bd..5baf68b43 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -147,7 +147,7 @@ LocaleViewStep::isAtEnd() const Calamares::JobList LocaleViewStep::jobs() const { - return m_jobs; + return m_config->createJobs(); } @@ -165,24 +165,6 @@ LocaleViewStep::onActivate() void LocaleViewStep::onLeave() { - if ( m_actualWidget ) - { - m_jobs = m_config->createJobs(); - - auto map = m_config->localeConfiguration().toMap(); - QVariantMap vm; - for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) - { - vm.insert( it.key(), it.value() ); - } - - Calamares::JobQueue::instance()->globalStorage()->insert( "localeConf", vm ); - } - else - { - m_jobs.clear(); - Calamares::JobQueue::instance()->globalStorage()->remove( "localeConf" ); - } } diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index cb1902f2e..a1456764f 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -71,8 +71,6 @@ private: LocalePage* m_actualWidget; bool m_nextEnabled; - Calamares::JobList m_jobs; - CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; From 781d76c9e540a346f7cf6dd6cb9643a74bd0f51c Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 00:32:29 +0200 Subject: [PATCH 100/123] [locale] Avoid nullptr if there is no location --- src/modules/locale/Config.cpp | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index cb0fe7734..0898a77f2 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -255,6 +255,11 @@ Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) LocaleConfiguration Config::automaticLocaleConfiguration() const { + // Special case: no location has been set at **all** + if ( !currentLocation() ) + { + return LocaleConfiguration(); + } return LocaleConfiguration::fromLanguageAndLocation( QLocale().name(), supportedLocales(), currentLocation()->country() ); } From b607cf3f98c1cad911d84ebff116c37d97123834 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 01:26:15 +0200 Subject: [PATCH 101/123] [locale] Get starting TZ in Config - read the *region* and *zone* settings; this duplicates what the ViewStep does and is currently unused, but .. - add new support for using the system's TZ (rather than the fixed values from *region* and *zone*). This complements GeoIP lookup. This is the actual feature that started the long rewrite of the Config object (so that all the business logic would be in one place, usable for both widgets and QML). FIXES #1381 --- src/modules/locale/Config.cpp | 26 ++++++++++++++++++++++++-- src/modules/locale/Config.h | 5 +++++ src/modules/locale/locale.conf | 12 ++++++++++++ src/modules/locale/locale.schema.yaml | 1 + 4 files changed, 42 insertions(+), 2 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 0898a77f2..0ecd7e049 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -31,6 +31,7 @@ #include #include +#include /** @brief Load supported locale keys * @@ -342,17 +343,38 @@ Config::setConfigurationMap( const QVariantMap& configurationMap ) #ifdef DEBUG_TIMEZONES if ( m_adjustLiveTimezone ) { - cDebug() << "Turning off live-timezone adjustments because debugging is on."; + cWarning() << "Turning off live-timezone adjustments because debugging is on."; m_adjustLiveTimezone = false; } #endif #ifdef __FreeBSD__ if ( m_adjustLiveTimezone ) { - cDebug() << "Turning off live-timezone adjustments on FreeBSD."; + cWarning() << "Turning off live-timezone adjustments on FreeBSD."; m_adjustLiveTimezone = false; } #endif + + QString region = CalamaresUtils::getString( configurationMap, "region" ); + QString zone = CalamaresUtils::getString( configurationMap, "zone" ); + if ( !region.isEmpty() && !zone.isEmpty() ) + { + m_startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( region, zone ); + } + else + { + m_startingTimezone + = CalamaresUtils::GeoIP::RegionZonePair( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); + } + + if ( CalamaresUtils::getBool( configurationMap, "useSystemTimezone", false ) ) + { + auto systemtz = CalamaresUtils::GeoIP::splitTZString( QTimeZone::systemTimeZoneId() ); + if ( systemtz.isValid() ) + { + m_startingTimezone = systemtz; + } + } } Calamares::JobList diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index c8710f4a9..7e634a4a8 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -24,6 +24,7 @@ #include "LocaleConfiguration.h" #include "Job.h" +#include "geoip/Interface.h" #include "locale/TimeZone.h" #include @@ -133,6 +134,10 @@ private: * timezone, and the live system can be made to follow that. */ bool m_adjustLiveTimezone; + + /** @brief The initial timezone (region, zone) specified in the config. + */ + CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; }; diff --git a/src/modules/locale/locale.conf b/src/modules/locale/locale.conf index 572326f0b..8236a879b 100644 --- a/src/modules/locale/locale.conf +++ b/src/modules/locale/locale.conf @@ -11,9 +11,21 @@ # the locale page can be set through keys *region* and *zone*. # If either is not set, defaults to America/New_York. # +# Note that useSystemTimezone and GeoIP settings can change the +# starting time zone. +# region: "America" zone: "New_York" +# Instead of using *region* and *zone* specified above, +# you can use the system's notion of the timezone, instead. +# This can help if your system is automatically configured with +# a sensible TZ rather than chasing a fixed default. +# +# The default is false. +# +# useSystemTimezone: true + # Should changing the system location (e.g. clicking around on the timezone # map) immediately reflect the changed timezone in the live system? # By default, installers (with a target system) do, and setup (e.g. OEM diff --git a/src/modules/locale/locale.schema.yaml b/src/modules/locale/locale.schema.yaml index 6eadb5c85..d6c35020f 100644 --- a/src/modules/locale/locale.schema.yaml +++ b/src/modules/locale/locale.schema.yaml @@ -19,6 +19,7 @@ properties: ] } zone: { type: string } + useSystemTimezone: { type: boolean, default: false } adjustLiveTimezone: { type: boolean, default: true } From f64a1eb16ada6920999e8cf2eb5e60ee412bc9fa Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 11:52:42 +0200 Subject: [PATCH 102/123] [libcalamaresui] Document the signals from ModuleManager --- .../modulesystem/ModuleManager.h | 32 +++++++++++++++++-- 1 file changed, 29 insertions(+), 3 deletions(-) diff --git a/src/libcalamaresui/modulesystem/ModuleManager.h b/src/libcalamaresui/modulesystem/ModuleManager.h index 2c51e70f7..2bac78af6 100644 --- a/src/libcalamaresui/modulesystem/ModuleManager.h +++ b/src/libcalamaresui/modulesystem/ModuleManager.h @@ -103,10 +103,36 @@ public: RequirementsModel* requirementsModel() { return m_requirementsModel; } signals: + /** @brief Emitted when all the module **configuration** has been read + * + * This indicates that all of the module.desc files have been + * loaded; bad ones are silently skipped, so this just indicates + * that the module manager is ready for the next phase (loading). + */ void initDone(); - void modulesLoaded(); /// All of the modules were loaded successfully - void modulesFailed( QStringList ); /// .. or not - // Below, see RequirementsChecker documentation + /** @brief Emitted when all the modules are loaded successfully + * + * Each module listed in the settings is loaded. Modules are loaded + * only once, even when instantiated multiple times. If all of + * the listed modules are successfully loaded, this signal is + * emitted (otherwise, it isn't, so you need to wait for **both** + * of the signals). + * + * If this is emitted (i.e. all modules have loaded) then the next + * phase, requirements checking, can be started. + */ + void modulesLoaded(); + /** @brief Emitted if any modules failed to load + * + * Modules that failed to load (for any reason) are listed by + * instance key (e.g. "welcome@welcome", "shellprocess@mycustomthing"). + */ + void modulesFailed( QStringList ); + /** @brief Emitted after all requirements have been checked + * + * The bool value indicates if all of the **mandatory** requirements + * are satisfied (e.g. whether installation can continue). + */ void requirementsComplete( bool ); private slots: From a25d61077fa09d835387caa9384a6f7a054ed315 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 11:53:06 +0200 Subject: [PATCH 103/123] [locale] Add GeoIP settings to Config - this doesn't do the lookup **yet** - while here, refactor setConfigurationMap so it reads like a story, with chunks bitten out into a handful of static inline void methods. --- src/modules/locale/Config.cpp | 58 ++++++++++++++++++++++++++++------- src/modules/locale/Config.h | 11 +++++++ 2 files changed, 58 insertions(+), 11 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 0ecd7e049..fc797c0aa 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -327,43 +327,50 @@ Config::currentLCStatus() const .arg( localeLabel( m_selectedLocaleConfiguration.lc_numeric ) ); } - -void -Config::setConfigurationMap( const QVariantMap& configurationMap ) +static inline void +getLocaleGenLines( const QVariantMap& configurationMap, QStringList& localeGenLines ) { QString localeGenPath = CalamaresUtils::getString( configurationMap, "localeGenPath" ); if ( localeGenPath.isEmpty() ) { localeGenPath = QStringLiteral( "/etc/locale.gen" ); } - m_localeGenLines = loadLocales( localeGenPath ); + localeGenLines = loadLocales( localeGenPath ); +} - m_adjustLiveTimezone +static inline void +getAdjustLiveTimezone( const QVariantMap& configurationMap, bool& adjustLiveTimezone ) +{ + adjustLiveTimezone = CalamaresUtils::getBool( configurationMap, "adjustLiveTimezone", Calamares::Settings::instance()->doChroot() ); #ifdef DEBUG_TIMEZONES if ( m_adjustLiveTimezone ) { cWarning() << "Turning off live-timezone adjustments because debugging is on."; - m_adjustLiveTimezone = false; + adjustLiveTimezone = false; } #endif #ifdef __FreeBSD__ - if ( m_adjustLiveTimezone ) + if ( adjustLiveTimezone ) { cWarning() << "Turning off live-timezone adjustments on FreeBSD."; - m_adjustLiveTimezone = false; + adjustLiveTimezone = false; } #endif +} +static inline void +getStartingTimezone( const QVariantMap& configurationMap, CalamaresUtils::GeoIP::RegionZonePair& startingTimezone ) +{ QString region = CalamaresUtils::getString( configurationMap, "region" ); QString zone = CalamaresUtils::getString( configurationMap, "zone" ); if ( !region.isEmpty() && !zone.isEmpty() ) { - m_startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( region, zone ); + startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( region, zone ); } else { - m_startingTimezone + startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); } @@ -372,11 +379,40 @@ Config::setConfigurationMap( const QVariantMap& configurationMap ) auto systemtz = CalamaresUtils::GeoIP::splitTZString( QTimeZone::systemTimeZoneId() ); if ( systemtz.isValid() ) { - m_startingTimezone = systemtz; + cDebug() << "Overriding configured timezone" << startingTimezone << "with system timezone" << systemtz; + startingTimezone = systemtz; } } } +static inline void +getGeoIP( const QVariantMap& configurationMap, std::unique_ptr< CalamaresUtils::GeoIP::Handler >& geoip ) +{ + bool ok = false; + QVariantMap map = CalamaresUtils::getSubMap( configurationMap, "geoip", ok ); + if ( ok ) + { + QString url = CalamaresUtils::getString( map, "url" ); + QString style = CalamaresUtils::getString( map, "style" ); + QString selector = CalamaresUtils::getString( map, "selector" ); + + geoip = std::make_unique< CalamaresUtils::GeoIP::Handler >( style, url, selector ); + if ( !geoip->isValid() ) + { + cWarning() << "GeoIP Style" << style << "is not recognized."; + } + } +} + +void +Config::setConfigurationMap( const QVariantMap& configurationMap ) +{ + getLocaleGenLines( configurationMap, m_localeGenLines ); + getAdjustLiveTimezone( configurationMap, m_adjustLiveTimezone ); + getStartingTimezone( configurationMap, m_startingTimezone ); + getGeoIP( configurationMap, m_geoip ); +} + Calamares::JobList Config::createJobs() { diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 7e634a4a8..421bb7998 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -24,6 +24,7 @@ #include "LocaleConfiguration.h" #include "Job.h" +#include "geoip/Handler.h" #include "geoip/Interface.h" #include "locale/TimeZone.h" @@ -136,8 +137,18 @@ private: bool m_adjustLiveTimezone; /** @brief The initial timezone (region, zone) specified in the config. + * + * This may be overridden by setting *useSystemTimezone* or by + * GeoIP settings. */ CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; + + /** @brief Handler for GeoIP lookup (if configured) + * + * The GeoIP lookup needs to be started at some suitable time, + * by explicitly calling *TODO* + */ + std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; }; From 42331f6e139c2b24a741a6ad60e948fd3af79f9c Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 14:47:43 +0200 Subject: [PATCH 104/123] [locale] Move GeoIP lookup to config - replace the weird synchronous-lookup-during-requirements-checking with a proper async lookup when the system is ready. --- src/modules/locale/Config.cpp | 61 +++++++++++++++++++++++-- src/modules/locale/Config.h | 10 +++- src/modules/locale/LocaleViewStep.cpp | 66 +-------------------------- src/modules/locale/LocaleViewStep.h | 7 --- 4 files changed, 68 insertions(+), 76 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index fc797c0aa..42b6d616f 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -26,6 +26,8 @@ #include "JobQueue.h" #include "Settings.h" #include "locale/Label.h" +#include "modulesystem/ModuleManager.h" +#include "network/Manager.h" #include "utils/Logger.h" #include "utils/Variant.h" @@ -204,6 +206,15 @@ Config::timezoneData() const return ::timezoneData(); } +void +Config::setCurrentLocation() +{ + if ( !m_currentLocation && m_startingTimezone.isValid() ) + { + setCurrentLocation( m_startingTimezone.first, m_startingTimezone.second ); + } +} + void Config::setCurrentLocation( const QString& regionName, const QString& zoneName ) { @@ -252,7 +263,6 @@ Config::setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ) } } - LocaleConfiguration Config::automaticLocaleConfiguration() const { @@ -341,8 +351,8 @@ getLocaleGenLines( const QVariantMap& configurationMap, QStringList& localeGenLi static inline void getAdjustLiveTimezone( const QVariantMap& configurationMap, bool& adjustLiveTimezone ) { - adjustLiveTimezone - = CalamaresUtils::getBool( configurationMap, "adjustLiveTimezone", Calamares::Settings::instance()->doChroot() ); + adjustLiveTimezone = CalamaresUtils::getBool( + configurationMap, "adjustLiveTimezone", Calamares::Settings::instance()->doChroot() ); #ifdef DEBUG_TIMEZONES if ( m_adjustLiveTimezone ) { @@ -411,6 +421,12 @@ Config::setConfigurationMap( const QVariantMap& configurationMap ) getAdjustLiveTimezone( configurationMap, m_adjustLiveTimezone ); getStartingTimezone( configurationMap, m_startingTimezone ); getGeoIP( configurationMap, m_geoip ); + + if ( m_geoip && m_geoip->isValid() ) + { + connect( + Calamares::ModuleManager::instance(), &Calamares::ModuleManager::modulesLoaded, this, &Config::startGeoIP ); + } } Calamares::JobList @@ -427,3 +443,42 @@ Config::createJobs() return list; } + +void +Config::startGeoIP() +{ + if ( m_geoip && m_geoip->isValid() ) + { + auto& network = CalamaresUtils::Network::Manager::instance(); + if ( network.hasInternet() || network.synchronousPing( m_geoip->url() ) ) + { + using Watcher = QFutureWatcher< CalamaresUtils::GeoIP::RegionZonePair >; + m_geoipWatcher = std::make_unique< Watcher >(); + m_geoipWatcher->setFuture( m_geoip->query() ); + connect( m_geoipWatcher.get(), &Watcher::finished, this, &Config::completeGeoIP ); + } + } +} + +void +Config::completeGeoIP() +{ + if ( !currentLocation() ) + { + auto r = m_geoipWatcher->result(); + if ( r.isValid() ) + { + m_startingTimezone = r; + } + else + { + cWarning() << "GeoIP returned invalid result."; + } + } + else + { + cWarning() << "GeoIP result ignored because a location is already set."; + } + m_geoipWatcher.reset(); + m_geoip.reset(); +} diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 421bb7998..3d048bc28 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -28,6 +28,7 @@ #include "geoip/Interface.h" #include "locale/TimeZone.h" +#include #include #include @@ -59,7 +60,6 @@ public: /** @brief The currently selected location (timezone) * * The location is a pointer into the date that timezoneData() returns. - * It is possible to return nullptr, if no location has been picked yet. */ const CalamaresUtils::Locale::TZZone* currentLocation() const { return m_currentLocation; } @@ -79,6 +79,9 @@ public: CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } CalamaresUtils::Locale::CStringListModel* zonesModel() const { return m_zonesModel.get(); } + /// Special case, set location from starting timezone if not already set + void setCurrentLocation(); + public Q_SLOTS: /// Set a language by user-choice, overriding future location changes void setLanguageExplicitly( const QString& language ); @@ -149,6 +152,11 @@ private: * by explicitly calling *TODO* */ std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; + + // Implementation details for doing GeoIP lookup + void startGeoIP(); + void completeGeoIP(); + std::unique_ptr< QFutureWatcher< CalamaresUtils::GeoIP::RegionZonePair > > m_geoipWatcher; }; diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 5baf68b43..8ae894aa8 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -43,7 +43,6 @@ LocaleViewStep::LocaleViewStep( QObject* parent ) , m_widget( new QWidget() ) , m_actualWidget( nullptr ) , m_nextEnabled( false ) - , m_geoip( nullptr ) , m_config( std::make_unique< Config >() ) { QBoxLayout* mainLayout = new QHBoxLayout; @@ -66,11 +65,11 @@ LocaleViewStep::~LocaleViewStep() void LocaleViewStep::setUpPage() { + m_config->setCurrentLocation(); if ( !m_actualWidget ) { m_actualWidget = new LocalePage( m_config.get() ); } - m_config->setCurrentLocation( m_startingTimezone.first, m_startingTimezone.second ); m_widget->layout()->addWidget( m_actualWidget ); ensureSize( m_actualWidget->sizeHint() ); @@ -80,20 +79,6 @@ LocaleViewStep::setUpPage() } -void -LocaleViewStep::fetchGeoIpTimezone() -{ - if ( m_geoip && m_geoip->isValid() ) - { - m_startingTimezone = m_geoip->get(); - if ( !m_startingTimezone.isValid() ) - { - cWarning() << "GeoIP lookup at" << m_geoip->url() << "failed."; - } - } -} - - QString LocaleViewStep::prettyName() const { @@ -171,54 +156,5 @@ LocaleViewStep::onLeave() void LocaleViewStep::setConfigurationMap( const QVariantMap& configurationMap ) { - QString region = CalamaresUtils::getString( configurationMap, "region" ); - QString zone = CalamaresUtils::getString( configurationMap, "zone" ); - if ( !region.isEmpty() && !zone.isEmpty() ) - { - m_startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( region, zone ); - } - else - { - m_startingTimezone - = CalamaresUtils::GeoIP::RegionZonePair( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); - } - - bool ok = false; - QVariantMap geoip = CalamaresUtils::getSubMap( configurationMap, "geoip", ok ); - if ( ok ) - { - QString url = CalamaresUtils::getString( geoip, "url" ); - QString style = CalamaresUtils::getString( geoip, "style" ); - QString selector = CalamaresUtils::getString( geoip, "selector" ); - - m_geoip = std::make_unique< CalamaresUtils::GeoIP::Handler >( style, url, selector ); - if ( !m_geoip->isValid() ) - { - cWarning() << "GeoIP Style" << style << "is not recognized."; - } - } - m_config->setConfigurationMap( configurationMap ); } - -Calamares::RequirementsList -LocaleViewStep::checkRequirements() -{ - if ( m_geoip && m_geoip->isValid() ) - { - auto& network = CalamaresUtils::Network::Manager::instance(); - if ( network.hasInternet() ) - { - fetchGeoIpTimezone(); - } - else - { - if ( network.synchronousPing( m_geoip->url() ) ) - { - fetchGeoIpTimezone(); - } - } - } - - return Calamares::RequirementsList(); -} diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index a1456764f..f02a3205d 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -58,22 +58,15 @@ public: void setConfigurationMap( const QVariantMap& configurationMap ) override; - /// @brief Do setup (returns empty list) asynchronously - virtual Calamares::RequirementsList checkRequirements() override; - private slots: void setUpPage(); private: - void fetchGeoIpTimezone(); QWidget* m_widget; LocalePage* m_actualWidget; bool m_nextEnabled; - CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; - std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; - std::unique_ptr< Config > m_config; }; From 4f684be83dfc58692f94f1ffd6c9cbda5bba6dd4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 16:55:55 +0200 Subject: [PATCH 105/123] [locale] Avoid crashes in the map widget if there is no current location --- .../locale/timezonewidget/timezonewidget.cpp | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/src/modules/locale/timezonewidget/timezonewidget.cpp b/src/modules/locale/timezonewidget/timezonewidget.cpp index df1142e17..0972e3296 100644 --- a/src/modules/locale/timezonewidget/timezonewidget.cpp +++ b/src/modules/locale/timezonewidget/timezonewidget.cpp @@ -94,11 +94,18 @@ TimeZoneWidget::setCurrentLocation( const CalamaresUtils::Locale::TZZone* locati //### Private //### +struct PainterEnder +{ + QPainter& p; + ~PainterEnder() { p.end(); } +}; + void TimeZoneWidget::paintEvent( QPaintEvent* ) { QFontMetrics fontMetrics( font ); QPainter painter( this ); + PainterEnder painter_end { painter }; painter.setRenderHint( QPainter::Antialiasing ); painter.setFont( font ); @@ -109,6 +116,11 @@ TimeZoneWidget::paintEvent( QPaintEvent* ) // Draw zone image painter.drawImage( 0, 0, currentZoneImage ); + if ( !m_currentLocation ) + { + return; + } + #ifdef DEBUG_TIMEZONES QPoint point = getLocationPosition( m_currentLocation ); // Draw latitude lines @@ -168,8 +180,6 @@ TimeZoneWidget::paintEvent( QPaintEvent* ) painter.setPen( Qt::white ); painter.drawText( rect.x() + 5, rect.bottom() - 4, m_currentLocation ? m_currentLocation->tr() : QString() ); #endif - - painter.end(); } From 824cb4d4b841f59220abd09be8d191c98e93fcf3 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 17:03:25 +0200 Subject: [PATCH 106/123] [locale] As the Page is constructed, it shouldn't change the location - since the Page hooked up a model and changed the region-selection **after** connecting to signals, it would reset the location to Africa/Abijan (alphabetically the first timezone) during construction. Don't do that. --- src/modules/locale/LocalePage.cpp | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/src/modules/locale/LocalePage.cpp b/src/modules/locale/LocalePage.cpp index 3999599c9..406f27a6e 100644 --- a/src/modules/locale/LocalePage.cpp +++ b/src/modules/locale/LocalePage.cpp @@ -98,6 +98,12 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) setMinimumWidth( m_tzWidget->width() ); setLayout( mainLayout ); + // Set up the location before connecting signals, to avoid a signal + // storm as various parts interact. + m_regionCombo->setModel( m_config->regionModel() ); + locationChanged( m_config->currentLocation() ); // doesn't inform TZ widget + m_tzWidget->setCurrentLocation( m_config->currentLocation() ); + connect( config, &Config::currentLCStatusChanged, m_formatsLabel, &QLabel::setText ); connect( config, &Config::currentLanguageStatusChanged, m_localeLabel, &QLabel::setText ); connect( config, &Config::currentLocationChanged, m_tzWidget, &TimeZoneWidget::setCurrentLocation ); @@ -114,9 +120,6 @@ LocalePage::LocalePage( Config* config, QWidget* parent ) connect( m_formatsChangeButton, &QPushButton::clicked, this, &LocalePage::changeFormats ); CALAMARES_RETRANSLATE_SLOT( &LocalePage::updateLocaleLabels ) - - m_regionCombo->setModel( m_config->regionModel() ); - m_regionCombo->currentIndexChanged( m_regionCombo->currentIndex() ); } @@ -178,6 +181,10 @@ LocalePage::zoneChanged( int currentIndex ) void LocalePage::locationChanged( const CalamaresUtils::Locale::TZZone* location ) { + if ( !location ) + { + return; + } cBoolSetter< true > b( m_blockTzWidgetSet ); // Set region index From 1f3cb32486eb3918b977c307276920c384f9ed7a Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Wed, 22 Jul 2020 17:10:08 +0200 Subject: [PATCH 107/123] [locale] Apply coding style --- src/modules/locale/timezonewidget/TimeZoneImage.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/modules/locale/timezonewidget/TimeZoneImage.cpp b/src/modules/locale/timezonewidget/TimeZoneImage.cpp index a60c9b7d7..22bd263d6 100644 --- a/src/modules/locale/timezonewidget/TimeZoneImage.cpp +++ b/src/modules/locale/timezonewidget/TimeZoneImage.cpp @@ -25,9 +25,9 @@ #include static const char* zoneNames[] - = { "0.0", "1.0", "2.0", "3.0", "3.5", "4.0", "4.5", "5.0", "5.5", "5.75", "6.0", "6.5", "7.0", - "8.0", "9.0", "9.5", "10.0", "10.5", "11.0", "12.0", "12.75", "13.0", "-1.0", "-2.0", "-3.0", - "-3.5", "-4.0", "-4.5", "-5.0", "-5.5", "-6.0", "-7.0", "-8.0", "-9.0", "-9.5", "-10.0", "-11.0" }; + = { "0.0", "1.0", "2.0", "3.0", "3.5", "4.0", "4.5", "5.0", "5.5", "5.75", "6.0", "6.5", "7.0", + "8.0", "9.0", "9.5", "10.0", "10.5", "11.0", "12.0", "12.75", "13.0", "-1.0", "-2.0", "-3.0", "-3.5", + "-4.0", "-4.5", "-5.0", "-5.5", "-6.0", "-7.0", "-8.0", "-9.0", "-9.5", "-10.0", "-11.0" }; static_assert( TimeZoneImageList::zoneCount == ( sizeof( zoneNames ) / sizeof( zoneNames[ 0 ] ) ), "Incorrect number of zones" ); From d90d451f427497e13ab1f7fc527ce796305e53ed Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 10:43:31 +0200 Subject: [PATCH 108/123] [locale] Remove unnecessary includes --- src/modules/locale/LocaleViewStep.h | 2 -- 1 file changed, 2 deletions(-) diff --git a/src/modules/locale/LocaleViewStep.h b/src/modules/locale/LocaleViewStep.h index f02a3205d..0a40da861 100644 --- a/src/modules/locale/LocaleViewStep.h +++ b/src/modules/locale/LocaleViewStep.h @@ -23,8 +23,6 @@ #include "Config.h" #include "DllMacro.h" -#include "geoip/Handler.h" -#include "geoip/Interface.h" #include "utils/PluginFactory.h" #include "viewpages/ViewStep.h" From 4b7403d115a485ef679f0e35d09a92dd50316197 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 11:11:18 +0200 Subject: [PATCH 109/123] [localeq] Re-do with new Config - remove stray and useless TODOs - remove unnecessary empty overrides - clean up includes - drop all the code that is now in Config Since the business logic (setting locations, maintaining GS, ...) is all in the Config object, the ViewStep is remarkably simple: hook up a UI to the Config, which in the case of QML is done automatically. --- src/modules/localeq/LocaleQmlViewStep.cpp | 135 ++-------------------- src/modules/localeq/LocaleQmlViewStep.h | 26 +---- 2 files changed, 11 insertions(+), 150 deletions(-) diff --git a/src/modules/localeq/LocaleQmlViewStep.cpp b/src/modules/localeq/LocaleQmlViewStep.cpp index 4354cb7bd..7891f73fd 100644 --- a/src/modules/localeq/LocaleQmlViewStep.cpp +++ b/src/modules/localeq/LocaleQmlViewStep.cpp @@ -19,30 +19,13 @@ #include "LocaleQmlViewStep.h" -#include "GlobalStorage.h" -#include "JobQueue.h" - -#include "geoip/Handler.h" -#include "network/Manager.h" -#include "utils/CalamaresUtilsGui.h" #include "utils/Logger.h" -#include "utils/Variant.h" -#include "utils/Yaml.h" - -#include "Branding.h" -#include "modulesystem/ModuleManager.h" -#include -#include -#include -#include CALAMARES_PLUGIN_FACTORY_DEFINITION( LocaleQmlViewStepFactory, registerPlugin< LocaleQmlViewStep >(); ) LocaleQmlViewStep::LocaleQmlViewStep( QObject* parent ) -: Calamares::QmlViewStep( parent ) -, m_config( new Config( this ) ) -, m_nextEnabled( false ) -, m_geoip( nullptr ) + : Calamares::QmlViewStep( parent ) + , m_config( std::make_unique< Config >( this ) ) { emit nextStatusChanged( m_nextEnabled ); } @@ -50,43 +33,7 @@ LocaleQmlViewStep::LocaleQmlViewStep( QObject* parent ) QObject* LocaleQmlViewStep::getConfig() { - return m_config; -} - -void -LocaleQmlViewStep::fetchGeoIpTimezone() -{ - if ( m_geoip && m_geoip->isValid() ) - { - m_startingTimezone = m_geoip->get(); - if ( !m_startingTimezone.isValid() ) - { - cWarning() << "GeoIP lookup at" << m_geoip->url() << "failed."; - } - } - - // m_config->setLocaleInfo(m_startingTimezone.first, m_startingTimezone.second, m_localeGenPath); -} - -Calamares::RequirementsList LocaleQmlViewStep::checkRequirements() -{ - if ( m_geoip && m_geoip->isValid() ) - { - auto& network = CalamaresUtils::Network::Manager::instance(); - if ( network.hasInternet() ) - { - fetchGeoIpTimezone(); - } - else - { - if ( network.synchronousPing( m_geoip->url() ) ) - { - fetchGeoIpTimezone(); - } - } - } - - return Calamares::RequirementsList(); + return m_config.get(); } QString @@ -98,14 +45,12 @@ LocaleQmlViewStep::prettyName() const bool LocaleQmlViewStep::isNextEnabled() const { - // TODO: should return true return true; } bool LocaleQmlViewStep::isBackEnabled() const { - // TODO: should return true (it's weird that you are not allowed to have welcome *after* anything return true; } @@ -113,7 +58,6 @@ LocaleQmlViewStep::isBackEnabled() const bool LocaleQmlViewStep::isAtBeginning() const { - // TODO: adjust to "pages" in the QML return true; } @@ -121,81 +65,18 @@ LocaleQmlViewStep::isAtBeginning() const bool LocaleQmlViewStep::isAtEnd() const { - // TODO: adjust to "pages" in the QML return true; } Calamares::JobList LocaleQmlViewStep::jobs() const { - return m_jobs; -} - -void LocaleQmlViewStep::onActivate() -{ - // TODO no sure if it is needed at all or for the abstract class to start something -} - -void LocaleQmlViewStep::onLeave() -{ -#if 0 - if ( true ) - { - m_jobs = m_config->createJobs(); -// m_prettyStatus = m_actualWidget->prettyStatus(); - - auto map = m_config->localesMap(); - QVariantMap vm; - for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) - { - vm.insert( it.key(), it.value() ); - } - - Calamares::JobQueue::instance()->globalStorage()->insert( "localeConf", vm ); - } - else - { - m_jobs.clear(); - Calamares::JobQueue::instance()->globalStorage()->remove( "localeConf" ); - } -#endif + return m_config->createJobs(); } -void LocaleQmlViewStep::setConfigurationMap(const QVariantMap& configurationMap) +void +LocaleQmlViewStep::setConfigurationMap( const QVariantMap& configurationMap ) { - QString region = CalamaresUtils::getString( configurationMap, "region" ); - QString zone = CalamaresUtils::getString( configurationMap, "zone" ); - if ( !region.isEmpty() && !zone.isEmpty() ) - { - m_startingTimezone = CalamaresUtils::GeoIP::RegionZonePair( region, zone ); - } - else - { - m_startingTimezone - = CalamaresUtils::GeoIP::RegionZonePair( QStringLiteral( "America" ), QStringLiteral( "New_York" ) ); - } - - m_localeGenPath = CalamaresUtils::getString( configurationMap, "localeGenPath" ); - if ( m_localeGenPath.isEmpty() ) - { - m_localeGenPath = QStringLiteral( "/etc/locale.gen" ); - } - - bool ok = false; - QVariantMap geoip = CalamaresUtils::getSubMap( configurationMap, "geoip", ok ); - if ( ok ) - { - QString url = CalamaresUtils::getString( geoip, "url" ); - QString style = CalamaresUtils::getString( geoip, "style" ); - QString selector = CalamaresUtils::getString( geoip, "selector" ); - - m_geoip = std::make_unique< CalamaresUtils::GeoIP::Handler >( style, url, selector ); - if ( !m_geoip->isValid() ) - { - cWarning() << "GeoIP Style" << style << "is not recognized."; - } - } - - checkRequirements(); - Calamares::QmlViewStep::setConfigurationMap( configurationMap ); // call parent implementation last + m_config->setConfigurationMap( configurationMap ); + Calamares::QmlViewStep::setConfigurationMap( configurationMap ); // call parent implementation last } diff --git a/src/modules/localeq/LocaleQmlViewStep.h b/src/modules/localeq/LocaleQmlViewStep.h index 0639274d6..20689e149 100644 --- a/src/modules/localeq/LocaleQmlViewStep.h +++ b/src/modules/localeq/LocaleQmlViewStep.h @@ -20,14 +20,10 @@ #define LOCALE_QMLVIEWSTEP_H #include "Config.h" -#include "geoip/Handler.h" -#include "geoip/Interface.h" + +#include "DllMacro.h" #include "utils/PluginFactory.h" #include "viewpages/QmlViewStep.h" -#include - -#include -#include #include @@ -47,28 +43,12 @@ public: bool isAtEnd() const override; Calamares::JobList jobs() const override; - void onActivate() override; - void onLeave() override; void setConfigurationMap( const QVariantMap& configurationMap ) override; QObject* getConfig() override; - virtual Calamares::RequirementsList checkRequirements() override; - private: - // TODO: a generic QML viewstep should return a config object from a method - Config *m_config; - - bool m_nextEnabled; - QString m_prettyStatus; - - CalamaresUtils::GeoIP::RegionZonePair m_startingTimezone; - QString m_localeGenPath; - - Calamares::JobList m_jobs; - std::unique_ptr< CalamaresUtils::GeoIP::Handler > m_geoip; - - void fetchGeoIpTimezone(); + std::unique_ptr< Config > m_config; }; CALAMARES_PLUGIN_FACTORY_DECLARATION( LocaleQmlViewStepFactory ) From 51e743a67f9122c566c497ef0413fa8109444d75 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 12:48:18 +0200 Subject: [PATCH 110/123] [libcalamares] Give GlobalStorage a parent --- src/libcalamares/GlobalStorage.cpp | 6 +++--- src/libcalamares/GlobalStorage.h | 4 ++-- src/libcalamares/JobQueue.cpp | 4 ++-- 3 files changed, 7 insertions(+), 7 deletions(-) diff --git a/src/libcalamares/GlobalStorage.cpp b/src/libcalamares/GlobalStorage.cpp index d58a3b0c6..341fc3892 100644 --- a/src/libcalamares/GlobalStorage.cpp +++ b/src/libcalamares/GlobalStorage.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2014-2015 Teo Mrnjavac * SPDX-FileCopyrightText: 2017-2018 Adriaan de Groot * @@ -36,8 +36,8 @@ using CalamaresUtils::operator""_MiB; namespace Calamares { -GlobalStorage::GlobalStorage() - : QObject( nullptr ) +GlobalStorage::GlobalStorage( QObject* parent ) + : QObject( parent ) { } diff --git a/src/libcalamares/GlobalStorage.h b/src/libcalamares/GlobalStorage.h index e9ba1da8a..a2848f888 100644 --- a/src/libcalamares/GlobalStorage.h +++ b/src/libcalamares/GlobalStorage.h @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2014-2015 Teo Mrnjavac * SPDX-FileCopyrightText: 2017-2018 Adriaan de Groot * @@ -39,7 +39,7 @@ class GlobalStorage : public QObject { Q_OBJECT public: - explicit GlobalStorage(); + explicit GlobalStorage( QObject* parent = nullptr ); //NOTE: thread safety is guaranteed by JobQueue, which executes jobs one by one. // If at any time jobs become concurrent, this class must be made thread-safe. diff --git a/src/libcalamares/JobQueue.cpp b/src/libcalamares/JobQueue.cpp index adff9464b..64cc4794d 100644 --- a/src/libcalamares/JobQueue.cpp +++ b/src/libcalamares/JobQueue.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2014-2015 Teo Mrnjavac * SPDX-FileCopyrightText: 2018 Adriaan de Groot * @@ -170,7 +170,7 @@ JobQueue::globalStorage() const JobQueue::JobQueue( QObject* parent ) : QObject( parent ) , m_thread( new JobThread( this ) ) - , m_storage( new GlobalStorage() ) + , m_storage( new GlobalStorage( this ) ) { Q_ASSERT( !s_instance ); s_instance = this; From 36fb1124be8b0a215e0eb88418bf042bf3861792 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 12:57:01 +0200 Subject: [PATCH 111/123] [libcalamares] Export network status as Q_PROPERTY and to QML --- src/libcalamares/network/Manager.cpp | 8 ++++++-- src/libcalamares/network/Manager.h | 25 ++++++++++++++++++------- src/libcalamaresui/utils/Qml.cpp | 5 +++++ 3 files changed, 29 insertions(+), 9 deletions(-) diff --git a/src/libcalamares/network/Manager.cpp b/src/libcalamares/network/Manager.cpp index d70988a0a..9d7534e99 100644 --- a/src/libcalamares/network/Manager.cpp +++ b/src/libcalamares/network/Manager.cpp @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2019 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -168,7 +168,11 @@ Manager::checkHasInternet() { hasInternet = synchronousPing( d->m_hasInternetUrl ); } - d->m_hasInternet = hasInternet; + if ( hasInternet != d->m_hasInternet ) + { + d->m_hasInternet = hasInternet; + emit hasInternetChanged( hasInternet ); + } return hasInternet; } diff --git a/src/libcalamares/network/Manager.h b/src/libcalamares/network/Manager.h index 1ba3eb411..8673d340b 100644 --- a/src/libcalamares/network/Manager.h +++ b/src/libcalamares/network/Manager.h @@ -1,5 +1,5 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2019 Adriaan de Groot * * Calamares is free software: you can redistribute it and/or modify @@ -98,9 +98,10 @@ struct RequestStatus QDebug& operator<<( QDebug& s, const RequestStatus& e ); -class DLLEXPORT Manager : QObject +class DLLEXPORT Manager : public QObject { Q_OBJECT + Q_PROPERTY( bool hasInternet READ hasInternet NOTIFY hasInternetChanged FINAL ) Manager(); @@ -133,6 +134,16 @@ public: /// @brief Set the URL which is used for the general "is there internet" check. void setCheckHasInternetUrl( const QUrl& url ); + + /** @brief Do a network request asynchronously. + * + * Returns a pointer to the reply-from-the-request. + * This may be a nullptr if an error occurs immediately. + * The caller is responsible for cleaning up the reply (eventually). + */ + QNetworkReply* asynchronousGet( const QUrl& url, const RequestOptions& options = RequestOptions() ); + +public Q_SLOTS: /** @brief Do an explicit check for internet connectivity. * * This **may** do a ping to the configured check URL, but can also @@ -148,13 +159,13 @@ public: */ bool hasInternet(); - /** @brief Do a network request asynchronously. +signals: + /** @brief Indicates that internet connectivity status has changed * - * Returns a pointer to the reply-from-the-request. - * This may be a nullptr if an error occurs immediately. - * The caller is responsible for cleaning up the reply (eventually). + * The value is that returned from hasInternet() -- @c true when there + * is connectivity, @c false otherwise. */ - QNetworkReply* asynchronousGet( const QUrl& url, const RequestOptions& options = RequestOptions() ); + void hasInternetChanged( bool ); private: class Private; diff --git a/src/libcalamaresui/utils/Qml.cpp b/src/libcalamaresui/utils/Qml.cpp index 4f53aa317..1f1152fa2 100644 --- a/src/libcalamaresui/utils/Qml.cpp +++ b/src/libcalamaresui/utils/Qml.cpp @@ -23,6 +23,7 @@ #include "JobQueue.h" #include "Settings.h" #include "ViewManager.h" +#include "network/Manager.h" #include "utils/Dirs.h" #include "utils/Logger.h" @@ -242,6 +243,10 @@ registerQmlModels() "io.calamares.core", 1, 0, "Global", []( QQmlEngine*, QJSEngine* ) -> QObject* { return Calamares::JobQueue::instance()->globalStorage(); } ); + qmlRegisterSingletonType< CalamaresUtils::Network::Manager >( + "io.calamares.core", 1, 0, "Network", []( QQmlEngine*, QJSEngine* ) -> QObject* { + return &CalamaresUtils::Network::Manager::instance(); + } ); } } From fb927c976397d57d45a8bff6008fa8b356ac8583 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 12:57:26 +0200 Subject: [PATCH 112/123] [localeq] Use network-connected property to direct map-loading --- src/modules/localeq/localeq.qml | 30 +----------------------------- 1 file changed, 1 insertion(+), 29 deletions(-) diff --git a/src/modules/localeq/localeq.qml b/src/modules/localeq/localeq.qml index ffd87f5b5..df82b1f9b 100644 --- a/src/modules/localeq/localeq.qml +++ b/src/modules/localeq/localeq.qml @@ -31,41 +31,13 @@ Page { property var confLang: "American English" property var confLocale: "Nederland" - //Needs to come from .conf/geoip - property var hasInternet: true - - function getInt(format) { - var requestURL = "https://example.org/"; - var xhr = new XMLHttpRequest; - - xhr.onreadystatechange = function() { - if (xhr.readyState === XMLHttpRequest.DONE) { - - if (xhr.status !== 200) { - console.log("Disconnected!!"); - var connected = false - hasInternet = connected - return; - } - - else { - console.log("Connected!!"); - } - } - } - xhr.open("GET", requestURL, true); - xhr.send(); - } - Component.onCompleted: { - getInt(); - } Loader { id: image anchors.horizontalCenter: parent.horizontalCenter width: parent.width height: parent.height / 1.28 - source: (hasInternet) ? "Map.qml" : "Offline.qml" + source: (Network.hasInternet) ? "Map.qml" : "Offline.qml" } RowLayout { From fdbfbfe2845e735ae9d3c1e2d46d355e6fde95b6 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 17:46:20 +0200 Subject: [PATCH 113/123] [localeq] Fix build, missed one case of removed member variable --- src/modules/localeq/LocaleQmlViewStep.cpp | 1 - 1 file changed, 1 deletion(-) diff --git a/src/modules/localeq/LocaleQmlViewStep.cpp b/src/modules/localeq/LocaleQmlViewStep.cpp index 7891f73fd..e0ef75f63 100644 --- a/src/modules/localeq/LocaleQmlViewStep.cpp +++ b/src/modules/localeq/LocaleQmlViewStep.cpp @@ -27,7 +27,6 @@ LocaleQmlViewStep::LocaleQmlViewStep( QObject* parent ) : Calamares::QmlViewStep( parent ) , m_config( std::make_unique< Config >( this ) ) { - emit nextStatusChanged( m_nextEnabled ); } QObject* From 75da1bece4f5da57275e87a3ce276efe3fdd2c83 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 23:25:52 +0200 Subject: [PATCH 114/123] [locale] Add properties for language and LC codes - we already had the human-readable status strings, but also want the actual code (particularly for being able to **update** the code from QML) --- src/modules/locale/Config.cpp | 2 ++ src/modules/locale/Config.h | 9 +++++++++ 2 files changed, 11 insertions(+) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 42b6d616f..21f4d90a7 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -288,6 +288,7 @@ Config::setLanguageExplicitly( const QString& language ) m_selectedLocaleConfiguration.explicit_lang = true; emit currentLanguageStatusChanged( currentLanguageStatus() ); + emit currentLanguageCodeChanged( currentLanguageCode() ); } void @@ -306,6 +307,7 @@ Config::setLCLocaleExplicitly( const QString& locale ) m_selectedLocaleConfiguration.explicit_lc = true; emit currentLCStatusChanged( currentLCStatus() ); + emit currentLCCodeChanged( currentLCCode() ); } QString diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 3d048bc28..484c1032e 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -43,9 +43,13 @@ class Config : public QObject Q_PROPERTY( const CalamaresUtils::Locale::TZZone* currentLocation READ currentLocation WRITE setCurrentLocation NOTIFY currentLocationChanged ) + // Status are complete, human-readable, messages Q_PROPERTY( QString currentLocationStatus READ currentLocationStatus NOTIFY currentLanguageStatusChanged ) Q_PROPERTY( QString currentLanguageStatus READ currentLanguageStatus NOTIFY currentLanguageStatusChanged ) Q_PROPERTY( QString currentLCStatus READ currentLCStatus NOTIFY currentLCStatusChanged ) + // Code are internal identifiers, like "en_US.UTF-8" + Q_PROPERTY( QString currentLanguageCode READ currentLanguageCode WRITE setLanguageExplicitly NOTIFY currentLanguageCodeChanged ) + Q_PROPERTY( QString currentLCCode READ currentLCCode WRITE setLCLocaleExplicitly NOTIFY currentLCCodeChanged ) public: Config( QObject* parent = nullptr ); @@ -103,11 +107,16 @@ public Q_SLOTS: */ void setCurrentLocation( const CalamaresUtils::Locale::TZZone* location ); + QString currentLanguageCode() const { return localeConfiguration().language(); } + QString currentLCCode() const { return localeConfiguration().lc_numeric; } + signals: void currentLocationChanged( const CalamaresUtils::Locale::TZZone* location ) const; void currentLocationStatusChanged( const QString& ) const; void currentLanguageStatusChanged( const QString& ) const; void currentLCStatusChanged( const QString& ) const; + void currentLanguageCodeChanged( const QString& ) const; + void currentLCCodeChanged( const QString& ) const; private: /// A list of supported locale identifiers (e.g. "en_US.UTF-8") From 00e945434453841c09269e0384bffe7b1d047ef1 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 23:26:15 +0200 Subject: [PATCH 115/123] [localeq] Hook up to Config object - get network status from the global Network object; document that - get the strings describing the language and LC settings from the config-object instead of roll-our-own - use the model of supported locales from Config to populate listboxes - connect selection of language or LC to the Config object --- src/modules/localeq/i18n.qml | 20 +++++++------------- src/modules/localeq/localeq.qml | 7 ++++--- 2 files changed, 11 insertions(+), 16 deletions(-) diff --git a/src/modules/localeq/i18n.qml b/src/modules/localeq/i18n.qml index a806d0174..eea9864a3 100644 --- a/src/modules/localeq/i18n.qml +++ b/src/modules/localeq/i18n.qml @@ -32,10 +32,6 @@ Item { anchors.fill: parent } - //Needs to come from Locale config - property var confLang: "en_US.UTF8" - property var confLocale: "nl_NL.UTF8" - Rectangle { id: textArea x: 28 @@ -57,7 +53,7 @@ Item { width: 240 wrapMode: Text.WordWrap text: qsTr("

Languages


- The system locale setting affects the language and character set for some command line user interface elements. The current setting is %1.").arg(confLang) + The system locale setting affects the language and character set for some command line user interface elements. The current setting is %1.").arg(config.currentLanguageCode) font.pointSize: 10 } } @@ -76,8 +72,7 @@ Item { id: list1 focus: true - // bogus entries, need to come from Locale config - model: ["en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8"] + model: config.supportedLocales currentIndex: 1 highlight: Rectangle { @@ -95,17 +90,17 @@ Item { } onClicked: { list1.currentIndex = index - confLang = list1.currentIndex } } } + onCurrentItemChanged: { config.currentLanguageCode = model[currentIndex] } /* This works because model is a stringlist */ } } } } Column { - id: i18n + id: lc_numeric x: 430 y: 40 @@ -118,7 +113,7 @@ Item { width: 240 wrapMode: Text.WordWrap text: qsTr("

Locales


- The system locale setting affects the language and character set for some command line user interface elements. The current setting is %1.").arg(confLocale) + The system locale setting affects the numbers and dates format. The current setting is %1.").arg(config.currentLCCode) font.pointSize: 10 } } @@ -139,7 +134,7 @@ Item { focus: true // bogus entries, need to come from Locale config - model: ["en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8", "en_GB.UTF-8 UTF-8", "en_US.UTF-8 UTF-8 ", "nl_NL.UTF-8 UTF-8"] + model: config.supportedLocales currentIndex: 2 highlight: Rectangle { @@ -154,11 +149,10 @@ Item { cursorShape: Qt.PointingHandCursor onClicked: { list2.currentIndex = index - confLocale = list1.currentIndex } } } - onCurrentItemChanged: console.debug(currentIndex) + onCurrentItemChanged: { config.currentLCCode = model[currentIndex]; } /* This works because model is a stringlist */ } } } diff --git a/src/modules/localeq/localeq.qml b/src/modules/localeq/localeq.qml index df82b1f9b..c48140d12 100644 --- a/src/modules/localeq/localeq.qml +++ b/src/modules/localeq/localeq.qml @@ -37,7 +37,8 @@ Page { anchors.horizontalCenter: parent.horizontalCenter width: parent.width height: parent.height / 1.28 - source: (Network.hasInternet) ? "Map.qml" : "Offline.qml" + // Network is in io.calamares.core + source: Network.hasInternet ? "Map.qml" : "Offline.qml" } RowLayout { @@ -67,7 +68,7 @@ Page { Label { Layout.fillWidth: true wrapMode: Text.WordWrap - text: qsTr("System language set to %1").arg(confLang) + text: config.currentLanguageStatus } Kirigami.Separator { Layout.fillWidth: true @@ -75,7 +76,7 @@ Page { Label { Layout.fillWidth: true wrapMode: Text.WordWrap - text: qsTr("Numbers and dates locale set to %1").arg(confLocale) + text: config.currentLCStatus } } Button { From e78cde7ccbdcfb3bb739ced851ef7056f1c09017 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 23 Jul 2020 23:30:43 +0200 Subject: [PATCH 116/123] [locale] Update GS when the LC value changes (not just location) --- src/modules/locale/Config.cpp | 23 +++++++++++++---------- 1 file changed, 13 insertions(+), 10 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index 21f4d90a7..f0198dd21 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -166,11 +166,23 @@ Config::Config( QObject* parent ) // we don't need to call an update-GS method, or introduce an intermediate // update-thing-and-GS method. And everywhere where we **do** change // language or location, we already emit the signal. - connect( this, &Config::currentLanguageStatusChanged, [&]() { + connect( this, &Config::currentLanguageCodeChanged, [&]() { auto* gs = Calamares::JobQueue::instance()->globalStorage(); gs->insert( "locale", m_selectedLocaleConfiguration.toBcp47() ); } ); + connect( this, &Config::currentLCCodeChanged, [&]() { + auto* gs = Calamares::JobQueue::instance()->globalStorage(); + // Update GS localeConf (the LC_ variables) + auto map = localeConfiguration().toMap(); + QVariantMap vm; + for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) + { + vm.insert( it.key(), it.value() ); + } + gs->insert( "localeConf", vm ); + } ); + connect( this, &Config::currentLocationChanged, [&]() { auto* gs = Calamares::JobQueue::instance()->globalStorage(); @@ -186,15 +198,6 @@ Config::Config( QObject* parent ) QProcess::execute( "timedatectl", // depends on systemd { "set-timezone", location->region() + '/' + location->zone() } ); } - - // Update GS localeConf (the LC_ variables) - auto map = localeConfiguration().toMap(); - QVariantMap vm; - for ( auto it = map.constBegin(); it != map.constEnd(); ++it ) - { - vm.insert( it.key(), it.value() ); - } - gs->insert( "localeConf", vm ); } ); } From a4ed160060b9addd7302f62e227d73a24d4d443c Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 11:07:58 +0200 Subject: [PATCH 117/123] [localeq] Offer a Config setting to set location from region/zone - already had methods for various kinds of broken-up data, but not one for plain "region/zone" strings; having this makes it easier for QML to report a zone. - use the region/zone method from QML, so that clicking on the world map updates the actual TZ in Config. --- src/modules/locale/Config.cpp | 9 +++++++++ src/modules/locale/Config.h | 9 ++++++++- src/modules/localeq/Map.qml | 7 ++++--- 3 files changed, 21 insertions(+), 4 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index f0198dd21..f28a2d0b5 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -218,6 +218,15 @@ Config::setCurrentLocation() } } +void Config::setCurrentLocation(const QString& regionzone) +{ + auto r = CalamaresUtils::GeoIP::splitTZString( regionzone ); + if ( r.isValid() ) + { + setCurrentLocation( r.first, r.second ); + } +} + void Config::setCurrentLocation( const QString& regionName, const QString& zoneName ) { diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index 484c1032e..d74555ee5 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -92,7 +92,14 @@ public Q_SLOTS: /// Set LC (formats) by user-choice, overriding future location changes void setLCLocaleExplicitly( const QString& locale ); - /** @brief Sets a location by name + /** @brief Sets a location by full name + * + * @p regionzone should be an identifier from zone.tab, e.g. "Africa/Abidjan", + * which is split into regon and zone. Invalid names will **not** + * change the actual location. + */ + void setCurrentLocation( const QString& regionzone ); + /** @brief Sets a location by split name * * @p region should be "America" or the like, while @p zone * names a zone within that region. diff --git a/src/modules/localeq/Map.qml b/src/modules/localeq/Map.qml index 023de6d1b..080d7388a 100644 --- a/src/modules/localeq/Map.qml +++ b/src/modules/localeq/Map.qml @@ -74,6 +74,7 @@ Column { var tz2 = responseJSON.timezoneId tzText.text = "Timezone: " + tz2 + config.setCurrentLocation(tz2) } } @@ -126,7 +127,7 @@ Column { anchorPoint.x: image.width/4 anchorPoint.y: image.height coordinate: QtPositioning.coordinate( - map.center.latitude, + map.center.latitude, map.center.longitude) //coordinate: QtPositioning.coordinate(40.730610, -73.935242) // New York @@ -156,7 +157,7 @@ Column { map.center.longitude = coordinate.longitude getTz(); - + console.log(coordinate.latitude, coordinate.longitude) } } @@ -199,7 +200,7 @@ Column { } Rectangle { - width: parent.width + width: parent.width height: 100 anchors.horizontalCenter: parent.horizontalCenter From 07c096673d1f4b46a8746a6782a0d3e5cd8d6ab4 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 11:10:56 +0200 Subject: [PATCH 118/123] [localeq] Report summary before install --- src/modules/localeq/LocaleQmlViewStep.cpp | 7 +++++++ src/modules/localeq/LocaleQmlViewStep.h | 1 + 2 files changed, 8 insertions(+) diff --git a/src/modules/localeq/LocaleQmlViewStep.cpp b/src/modules/localeq/LocaleQmlViewStep.cpp index e0ef75f63..d1186af1f 100644 --- a/src/modules/localeq/LocaleQmlViewStep.cpp +++ b/src/modules/localeq/LocaleQmlViewStep.cpp @@ -41,6 +41,13 @@ LocaleQmlViewStep::prettyName() const return tr( "Location" ); } +QString +LocaleQmlViewStep::prettyStatus() const +{ + QStringList l { m_config->currentLocationStatus(), m_config->currentLanguageStatus(), m_config->currentLCStatus() }; + return l.join( QStringLiteral( "
" ) ); +} + bool LocaleQmlViewStep::isNextEnabled() const { diff --git a/src/modules/localeq/LocaleQmlViewStep.h b/src/modules/localeq/LocaleQmlViewStep.h index 20689e149..3d73c6f79 100644 --- a/src/modules/localeq/LocaleQmlViewStep.h +++ b/src/modules/localeq/LocaleQmlViewStep.h @@ -35,6 +35,7 @@ public: explicit LocaleQmlViewStep( QObject* parent = nullptr ); QString prettyName() const override; + QString prettyStatus() const override; bool isNextEnabled() const override; bool isBackEnabled() const override; From 23810aae3d8372d225e2ebe142267bc1fa11fde7 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 11:29:47 +0200 Subject: [PATCH 119/123] CMake: switch to autorcc from manual futzing --- CMakeModules/CalamaresAddLibrary.cmake | 9 ++++--- CMakeModules/CalamaresAutomoc.cmake | 36 ++++++++++++++++++++------ 2 files changed, 33 insertions(+), 12 deletions(-) diff --git a/CMakeModules/CalamaresAddLibrary.cmake b/CMakeModules/CalamaresAddLibrary.cmake index 88978e751..901791e30 100644 --- a/CMakeModules/CalamaresAddLibrary.cmake +++ b/CMakeModules/CalamaresAddLibrary.cmake @@ -62,10 +62,8 @@ function(calamares_add_library) include_directories(${CMAKE_CURRENT_BINARY_DIR}) # add resources from current dir - if(EXISTS "${CMAKE_CURRENT_LIST_DIR}/${LIBRARY_RESOURCES}") - qt5_add_resources(LIBRARY_RC_SOURCES "${LIBRARY_RESOURCES}") - list(APPEND LIBRARY_SOURCES ${LIBRARY_RC_SOURCES}) - unset(LIBRARY_RC_SOURCES) + if(LIBRARY_RESOURCES) + list(APPEND LIBRARY_SOURCES ${LIBRARY_RESOURCES}) endif() # add target @@ -81,6 +79,9 @@ function(calamares_add_library) if(LIBRARY_UI) calamares_autouic(${target} ${LIBRARY_UI}) endif() + if(LIBRARY_RESOURCES) + calamares_autorcc(${target} ${LIBRARY_RESOURCES}) + endif() if(LIBRARY_EXPORT_MACRO) set_target_properties(${target} PROPERTIES COMPILE_DEFINITIONS ${LIBRARY_EXPORT_MACRO}) diff --git a/CMakeModules/CalamaresAutomoc.cmake b/CMakeModules/CalamaresAutomoc.cmake index 3de586ad2..c9a08a20d 100644 --- a/CMakeModules/CalamaresAutomoc.cmake +++ b/CMakeModules/CalamaresAutomoc.cmake @@ -18,17 +18,28 @@ # ### # -# Helper function for doing automoc on a target, and autoui on a .ui file. +# Helper function for doing automoc, autouic, autorcc on targets, +# and on the corresponding .ui or .rcc files. # -# Sets AUTOMOC TRUE for a target. +# calamares_automoc(target) +# Sets AUTOMOC TRUE for a target. # -# If the global variable CALAMARES_AUTOMOC_OPTIONS is set, uses that -# as well to set options passed to MOC. This can be used to add -# libcalamares/utils/moc-warnings.h file to the moc, which in turn -# reduces compiler warnings in generated MOC code. +# If the global variable CALAMARES_AUTOMOC_OPTIONS is set, uses that +# as well to set options passed to MOC. This can be used to add +# libcalamares/utils/moc-warnings.h file to the moc, which in turn +# reduces compiler warnings in generated MOC code. # -# If the global variable CALAMARES_AUTOUIC_OPTIONS is set, adds that -# to the options passed to uic. +# calamares_autouic(target [uifile ..]) +# Sets AUTOUIC TRUE for a target. +# +# If the global variable CALAMARES_AUTOUIC_OPTIONS is set, adds that +# to the options passed to uic for each of the named uifiles. +# +# calamares_autorcc(target [rcfile ..]) +# Sets AUTOUIC TRUE for a target. +# +# If the global variable CALAMARES_AUTORCC_OPTIONS is set, adds that +# to the options passed to rcc for each of the named rcfiles. function(calamares_automoc TARGET) set_target_properties( ${TARGET} PROPERTIES AUTOMOC TRUE ) @@ -45,3 +56,12 @@ function(calamares_autouic TARGET) endforeach() endif() endfunction() + +function(calamares_autorcc TARGET) + set_target_properties( ${TARGET} PROPERTIES AUTORCC TRUE ) + if ( CALAMARES_AUTORCC_OPTIONS ) + foreach(S ${ARGN}) + set_property(SOURCE ${S} PROPERTY AUTORCC_OPTIONS "${CALAMARES_AUTORCC_OPTIONS}") + endforeach() + endif() +endfunction() From a080e47f4b775d488589180ecb6f29b90c9f7967 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 11:53:32 +0200 Subject: [PATCH 120/123] [locale] Add prettyStatus to Config - this is present in the previous config, and helps make the modules consistent by returning prettyStatus in both ViewSteps. --- src/modules/locale/Config.cpp | 12 ++++++++++++ src/modules/locale/Config.h | 7 +++++++ src/modules/locale/LocaleViewStep.cpp | 3 +-- src/modules/localeq/LocaleQmlViewStep.cpp | 3 +-- 4 files changed, 21 insertions(+), 4 deletions(-) diff --git a/src/modules/locale/Config.cpp b/src/modules/locale/Config.cpp index f28a2d0b5..7a49525f2 100644 --- a/src/modules/locale/Config.cpp +++ b/src/modules/locale/Config.cpp @@ -199,6 +199,11 @@ Config::Config( QObject* parent ) { "set-timezone", location->region() + '/' + location->zone() } ); } } ); + + auto prettyStatusNotify = [&]() { emit prettyStatusChanged( prettyStatus() ); }; + connect( this, &Config::currentLanguageStatusChanged, prettyStatusNotify ); + connect( this, &Config::currentLCStatusChanged, prettyStatusNotify ); + connect( this, &Config::currentLocationStatusChanged, prettyStatusNotify ); } Config::~Config() {} @@ -351,6 +356,13 @@ Config::currentLCStatus() const .arg( localeLabel( m_selectedLocaleConfiguration.lc_numeric ) ); } +QString +Config::prettyStatus() const +{ + QStringList l { currentLocationStatus(), currentLanguageStatus(), currentLCStatus() }; + return l.join( QStringLiteral( "
" ) ); +} + static inline void getLocaleGenLines( const QVariantMap& configurationMap, QStringList& localeGenLines ) { diff --git a/src/modules/locale/Config.h b/src/modules/locale/Config.h index d74555ee5..e9a8e6373 100644 --- a/src/modules/locale/Config.h +++ b/src/modules/locale/Config.h @@ -51,6 +51,9 @@ class Config : public QObject Q_PROPERTY( QString currentLanguageCode READ currentLanguageCode WRITE setLanguageExplicitly NOTIFY currentLanguageCodeChanged ) Q_PROPERTY( QString currentLCCode READ currentLCCode WRITE setLCLocaleExplicitly NOTIFY currentLCCodeChanged ) + // This is a long human-readable string with all three statuses + Q_PROPERTY( QString prettyStatus READ prettyStatus NOTIFY prettyStatusChanged FINAL ) + public: Config( QObject* parent = nullptr ); ~Config(); @@ -79,6 +82,9 @@ public: /// The human-readable description of what locale (LC_*) is used QString currentLCStatus() const; + /// The human-readable summary of what the module will do + QString prettyStatus() const; + const QStringList& supportedLocales() const { return m_localeGenLines; } CalamaresUtils::Locale::CStringListModel* regionModel() const { return m_regionModel.get(); } CalamaresUtils::Locale::CStringListModel* zonesModel() const { return m_zonesModel.get(); } @@ -122,6 +128,7 @@ signals: void currentLocationStatusChanged( const QString& ) const; void currentLanguageStatusChanged( const QString& ) const; void currentLCStatusChanged( const QString& ) const; + void prettyStatusChanged( const QString& ) const; void currentLanguageCodeChanged( const QString& ) const; void currentLCCodeChanged( const QString& ) const; diff --git a/src/modules/locale/LocaleViewStep.cpp b/src/modules/locale/LocaleViewStep.cpp index 8ae894aa8..a85c87e4f 100644 --- a/src/modules/locale/LocaleViewStep.cpp +++ b/src/modules/locale/LocaleViewStep.cpp @@ -89,8 +89,7 @@ LocaleViewStep::prettyName() const QString LocaleViewStep::prettyStatus() const { - QStringList l { m_config->currentLocationStatus(), m_config->currentLanguageStatus(), m_config->currentLCStatus() }; - return l.join( QStringLiteral( "
" ) ); + return m_config->prettyStatus(); } diff --git a/src/modules/localeq/LocaleQmlViewStep.cpp b/src/modules/localeq/LocaleQmlViewStep.cpp index d1186af1f..ead2e2673 100644 --- a/src/modules/localeq/LocaleQmlViewStep.cpp +++ b/src/modules/localeq/LocaleQmlViewStep.cpp @@ -44,8 +44,7 @@ LocaleQmlViewStep::prettyName() const QString LocaleQmlViewStep::prettyStatus() const { - QStringList l { m_config->currentLocationStatus(), m_config->currentLanguageStatus(), m_config->currentLCStatus() }; - return l.join( QStringLiteral( "
" ) ); + return m_config->prettyStatus(); } bool From 09020d68b093c1a28f251db95d645a70d6e9cded Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 12:15:27 +0200 Subject: [PATCH 121/123] [libcalamaresui] Make dox of ModuleManager signals more explicit --- src/libcalamaresui/modulesystem/ModuleManager.h | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/libcalamaresui/modulesystem/ModuleManager.h b/src/libcalamaresui/modulesystem/ModuleManager.h index 2bac78af6..bea8acf41 100644 --- a/src/libcalamaresui/modulesystem/ModuleManager.h +++ b/src/libcalamaresui/modulesystem/ModuleManager.h @@ -130,10 +130,10 @@ signals: void modulesFailed( QStringList ); /** @brief Emitted after all requirements have been checked * - * The bool value indicates if all of the **mandatory** requirements + * The bool @p canContinue indicates if all of the **mandatory** requirements * are satisfied (e.g. whether installation can continue). */ - void requirementsComplete( bool ); + void requirementsComplete( bool canContinue ); private slots: void doInit(); From 682146aa9b9d5267b379c6144c0454caa462594e Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Thu, 9 Jul 2020 16:08:51 +0200 Subject: [PATCH 122/123] [libcalamares] Expand dox on TimeZone pairs --- src/libcalamares/locale/TimeZone.h | 20 +++++++++++++++----- 1 file changed, 15 insertions(+), 5 deletions(-) diff --git a/src/libcalamares/locale/TimeZone.h b/src/libcalamares/locale/TimeZone.h index 60900ef21..05820817a 100644 --- a/src/libcalamares/locale/TimeZone.h +++ b/src/libcalamares/locale/TimeZone.h @@ -1,6 +1,7 @@ /* === This file is part of Calamares - === - * + * * SPDX-FileCopyrightText: 2019 Adriaan de Groot + * SPDX-License-Identifier: GPL-3.0-or-later * * Calamares is free software: you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -15,8 +16,6 @@ * You should have received a copy of the GNU General Public License * along with Calamares. If not, see . * - * SPDX-License-Identifier: GPL-3.0-or-later - * License-Filename: LICENSE * */ @@ -88,7 +87,13 @@ public: } }; -/// @brief A pair of strings for timezone regions (e.g. "America") +/** @brief Timezone regions (e.g. "America") + * + * A region has a key and a human-readable name, but also + * a collection of associated timezone zones (TZZone, below). + * This class is not usually constructed, but uses fromFile() + * to load a complete tree structure of timezones. + */ class TZRegion : public CStringPair { Q_OBJECT @@ -120,7 +125,12 @@ private: CStringPairList m_zones; }; -/// @brief A pair of strings for specific timezone names (e.g. "New_York") +/** @brief Specific timezone zones (e.g. "New_York", "New York") + * + * A timezone zone lives in a region, and has some associated + * data like the country (used to map likely languages) and latitude + * and longitude information. + */ class TZZone : public CStringPair { Q_OBJECT From a835bb9a10014dc18935c8919802020f7e3f5789 Mon Sep 17 00:00:00 2001 From: Adriaan de Groot Date: Fri, 24 Jul 2020 12:26:02 +0200 Subject: [PATCH 123/123] Changes: document new locale features --- CHANGES | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/CHANGES b/CHANGES index d7510976a..ad374e40a 100644 --- a/CHANGES +++ b/CHANGES @@ -9,10 +9,18 @@ This release contains contributions from (alphabetically by first name): - No external contributors yet ## Core ## - - No core changes yet + - A new object *Network* is available to QML modules in `io.calamares.core`. + It exposes network status through the *hasInternet* property. ## Modules ## - - No module changes yet + - The *locale* module has been completely redone on the inside. + Users should see no changes. #1391 + - The *localeq* module uses the redone internals of the locale module. + It can now be used to set timezone, language and locale information + and is a suitable alternative module. Thanks to Anke Boersma who did + the work of figuring out maps. Note that the map uses several GeoIP + and GeoData providers and you may need to configure the URLs + with suitable usernames for those services. #1426 # 3.2.27 (2020-07-11) #