From a76e7de9feff590502abefede49fe187befe40a3 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Tue, 13 Oct 2015 16:03:59 -0500 Subject: [PATCH 01/27] MAGETWO-43612: Untranslatable phrases in Magento 2 - corrected issue with default store names not being translated in product attribute settings - corrected issue with PayPal payment information fields not all being translated --- .../adminhtml/templates/catalog/product/attribute/options.phtml | 2 +- app/code/Magento/Paypal/Model/Info.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/app/code/Magento/Catalog/view/adminhtml/templates/catalog/product/attribute/options.phtml b/app/code/Magento/Catalog/view/adminhtml/templates/catalog/product/attribute/options.phtml index 95561d18cba38..99fda10d040c5 100644 --- a/app/code/Magento/Catalog/view/adminhtml/templates/catalog/product/attribute/options.phtml +++ b/app/code/Magento/Catalog/view/adminhtml/templates/catalog/product/attribute/options.phtml @@ -20,7 +20,7 @@ $storelist = $block->getStores(); foreach ($storelist as $_store): ?> - getName() ?> + getName()) ?> diff --git a/app/code/Magento/Paypal/Model/Info.php b/app/code/Magento/Paypal/Model/Info.php index 748e3afcb7075..8e6423371d528 100644 --- a/app/code/Magento/Paypal/Model/Info.php +++ b/app/code/Magento/Paypal/Model/Info.php @@ -568,7 +568,7 @@ protected function _getFullInfo(array $keys, \Magento\Payment\Model\InfoInterfac } if (!empty($this->_paymentMapFull[$key]['value'])) { if ($labelValuesOnly) { - $result[$this->_paymentMapFull[$key]['label']] = $this->_paymentMapFull[$key]['value']; + $result[$this->_paymentMapFull[$key]['label']] = __($this->_paymentMapFull[$key]['value']); } else { $result[$key] = $this->_paymentMapFull[$key]; } From 13c0080bfd6442807448c0c640d55ad360321a13 Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Tue, 20 Oct 2015 14:50:42 -0500 Subject: [PATCH 02/27] MAGETWO-43752: Static test ArgumentsTest does not check all cases - ArgumentTest now also looks for Phrase instantiation not only __(). - Changed regex so now ArgumenTest checks %example not only %1. - Changed the class PhraseCollector looks for from Phrase to Magento\Framework\Phrase to remove ambiguity with other classes with word phrase. MAGETWO-43752: Static test ArgumentsTest does not check all cases - Updated files that didn't have placeholder. - Updated file that missed an argument. - Updated ArgumentTest to account for %s and zend %placeholders%. MAGETWO-43752: Static test ArgumentsTest does not check all cases - Added phpmd suppress warning. - Refactored some of the code because of repeated logic in ArgumentsTest. - Fixed unit tests. MAGETWO-43752: Static test ArgumentsTest does not check all cases - Added new parameter to constructor of PhraseCollector to distinguish which Phrase class is being used. - Updated static and unit tests. --- .../Catalog/Model/CategoryLinkRepository.php | 10 +++-- .../Unit/Model/CategoryLinkRepositoryTest.php | 2 +- .../Test/Integrity/Phrase/ArgumentsTest.php | 37 ++++++++++++++----- .../Framework/Archive/Helper/File/Bz.php | 6 +-- .../Framework/Archive/Helper/File/Gz.php | 4 +- .../Framework/Filesystem/Driver/File.php | 4 +- .../Adapter/Php/Tokenizer/PhraseCollector.php | 11 +++++- 7 files changed, 52 insertions(+), 22 deletions(-) diff --git a/app/code/Magento/Catalog/Model/CategoryLinkRepository.php b/app/code/Magento/Catalog/Model/CategoryLinkRepository.php index 3b407ed5d4b8d..27fe64d19cf2b 100644 --- a/app/code/Magento/Catalog/Model/CategoryLinkRepository.php +++ b/app/code/Magento/Catalog/Model/CategoryLinkRepository.php @@ -80,6 +80,7 @@ public function deleteByIds($categoryId, $sku) if (!isset($productPositions[$productID])) { throw new InputException(__('Category does not contain specified product')); } + $backupPosition = $productPositions[$productID]; unset($productPositions[$productID]); $category->setPostedProducts($productPositions); @@ -88,9 +89,12 @@ public function deleteByIds($categoryId, $sku) } catch (\Exception $e) { throw new CouldNotSaveException( __( - 'Could not save product "%1" with position %position to category %2', - $product->getId(), - $category->getId() + 'Could not save product "%product" with position %position to category %category', + [ + "product" => $product->getId(), + "position" => $backupPosition, + "category" => $category->getId() + ] ), $e ); diff --git a/app/code/Magento/Catalog/Test/Unit/Model/CategoryLinkRepositoryTest.php b/app/code/Magento/Catalog/Test/Unit/Model/CategoryLinkRepositoryTest.php index d2f1eb1759c1f..f7f5891106703 100644 --- a/app/code/Magento/Catalog/Test/Unit/Model/CategoryLinkRepositoryTest.php +++ b/app/code/Magento/Catalog/Test/Unit/Model/CategoryLinkRepositoryTest.php @@ -145,7 +145,7 @@ public function testDeleteByIds() /** * @expectedException \Magento\Framework\Exception\CouldNotSaveException - * @expectedExceptionMessage Could not save product "55" with position %position to category 42 + * @expectedExceptionMessage Could not save product "55" with position 1 to category 42 */ public function testDeleteByIdsWithCouldNotSaveException() { diff --git a/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php b/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php index 1f7565858b60e..a84ee25011ad9 100644 --- a/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php +++ b/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php @@ -4,15 +4,16 @@ * See COPYING.txt for license details. */ -/** - * Scan source code for detects invocations of __() function, analyzes placeholders with arguments - * and see if they not equal - */ namespace Magento\Test\Integrity\Phrase; use Magento\Framework\Component\ComponentRegistrar; use Magento\Setup\Module\I18n\Parser\Adapter\Php\Tokenizer; +/** + * Scan source code for detects invocations of __() function or Phrase object, analyzes placeholders with arguments + * and see if they not equal + * @SuppressWarnings(PHPMD.CyclomaticComplexity) + */ class ArgumentsTest extends \Magento\Test\Integrity\Phrase\AbstractTestCase { /** @@ -31,7 +32,9 @@ class ArgumentsTest extends \Magento\Test\Integrity\Phrase\AbstractTestCase protected function setUp() { $this->_phraseCollector = new \Magento\Setup\Module\I18n\Parser\Adapter\Php\Tokenizer\PhraseCollector( - new \Magento\Setup\Module\I18n\Parser\Adapter\Php\Tokenizer() + new \Magento\Setup\Module\I18n\Parser\Adapter\Php\Tokenizer(), + true, + 'Magento\Framework\Phrase' ); $componentRegistrar = new ComponentRegistrar(); @@ -39,6 +42,7 @@ protected function setUp() // the file below is the only file where strings are translated without corresponding arguments $componentRegistrar->getPath(ComponentRegistrar::MODULE, 'Magento_Translation') . '/Model/Js/DataProvider.php', + $componentRegistrar->getPath(ComponentRegistrar::MODULE, '') ]; } @@ -55,10 +59,25 @@ public function testArguments() if (empty(trim($phrase['phrase'], "'\"\t\n\r\0\x0B"))) { $missedPhraseErrors[] = $this->_createMissedPhraseError($phrase); } - if (preg_match_all('/%(\d+)/', $phrase['phrase'], $matches) || $phrase['arguments']) { - $placeholdersInPhrase = array_unique($matches[1]); - if (count($placeholdersInPhrase) != $phrase['arguments']) { - $incorrectNumberOfArgumentsErrors[] = $this->_createPhraseError($phrase); + if (preg_match_all('/%(\w+)/', $phrase['phrase'], $matches) || $phrase['arguments']) { + $placeholderCount = count(array_unique($matches[1])); + + if ($placeholderCount != $phrase['arguments']) { + // Check for zend placeholders %placehoder% and sprintf placeholder %s + if (preg_match_all('/(%(s)|(\w+)%)/', $phrase['phrase'], $placeHlders, PREG_OFFSET_CAPTURE)) { + + foreach ($placeHlders[0] as $ph) { + // Check if char after placeholder is not a digit or letter + $charAfterPh = $phrase['phrase'][$ph[1] + strlen($ph[0])]; + if (!preg_match('/[A-Za-z0-9]/', $charAfterPh)) { + $placeholderCount--; + } + } + } + + if ($placeholderCount != $phrase['arguments']) { + $incorrectNumberOfArgumentsErrors[] = $this->_createPhraseError($phrase); + } } } } diff --git a/lib/internal/Magento/Framework/Archive/Helper/File/Bz.php b/lib/internal/Magento/Framework/Archive/Helper/File/Bz.php index ada3317e13918..9e945eaa551ce 100644 --- a/lib/internal/Magento/Framework/Archive/Helper/File/Bz.php +++ b/lib/internal/Magento/Framework/Archive/Helper/File/Bz.php @@ -24,7 +24,7 @@ protected function _open($mode) if (false === $this->_fileHandler) { throw new \Magento\Framework\Exception\LocalizedException( - new \Magento\Framework\Phrase('Failed to open file ', [$this->_filePath]) + new \Magento\Framework\Phrase('Failed to open file %1', [$this->_filePath]) ); } } @@ -38,7 +38,7 @@ protected function _write($data) if (false === $result) { throw new \Magento\Framework\Exception\LocalizedException( - new \Magento\Framework\Phrase('Failed to write data to ', [$this->_filePath]) + new \Magento\Framework\Phrase('Failed to write data to %1', [$this->_filePath]) ); } } @@ -52,7 +52,7 @@ protected function _read($length) if (false === $data) { throw new \Magento\Framework\Exception\LocalizedException( - new \Magento\Framework\Phrase('Failed to read data from ', [$this->_filePath]) + new \Magento\Framework\Phrase('Failed to read data from %1', [$this->_filePath]) ); } diff --git a/lib/internal/Magento/Framework/Archive/Helper/File/Gz.php b/lib/internal/Magento/Framework/Archive/Helper/File/Gz.php index dc5204d294785..f9e3a92c9b2da 100644 --- a/lib/internal/Magento/Framework/Archive/Helper/File/Gz.php +++ b/lib/internal/Magento/Framework/Archive/Helper/File/Gz.php @@ -26,7 +26,7 @@ protected function _open($mode) if (false === $this->_fileHandler) { throw new \Magento\Framework\Exception\LocalizedException( - new \Magento\Framework\Phrase('Failed to open file ', [$this->_filePath]) + new \Magento\Framework\Phrase('Failed to open file %1', [$this->_filePath]) ); } } @@ -40,7 +40,7 @@ protected function _write($data) if (empty($result) && !empty($data)) { throw new \Magento\Framework\Exception\LocalizedException( - new \Magento\Framework\Phrase('Failed to write data to ', [$this->_filePath]) + new \Magento\Framework\Phrase('Failed to write data to %1', [$this->_filePath]) ); } } diff --git a/lib/internal/Magento/Framework/Filesystem/Driver/File.php b/lib/internal/Magento/Framework/Filesystem/Driver/File.php index 0fc74eccc1134..dfb6cb381e2cb 100644 --- a/lib/internal/Magento/Framework/Filesystem/Driver/File.php +++ b/lib/internal/Magento/Framework/Filesystem/Driver/File.php @@ -304,7 +304,7 @@ public function copy($source, $destination, DriverInterface $targetDriver = null [ $source, $destination, - $this->getWarningMessage(), + $this->getWarningMessage() ] ) ); @@ -334,7 +334,7 @@ public function symlink($source, $destination, DriverInterface $targetDriver = n [ $source, $destination, - $this->getWarningMessage(), + $this->getWarningMessage() ] ) ); diff --git a/setup/src/Magento/Setup/Module/I18n/Parser/Adapter/Php/Tokenizer/PhraseCollector.php b/setup/src/Magento/Setup/Module/I18n/Parser/Adapter/Php/Tokenizer/PhraseCollector.php index ee7ecd15e0c5f..24af618ca52fa 100644 --- a/setup/src/Magento/Setup/Module/I18n/Parser/Adapter/Php/Tokenizer/PhraseCollector.php +++ b/setup/src/Magento/Setup/Module/I18n/Parser/Adapter/Php/Tokenizer/PhraseCollector.php @@ -38,16 +38,23 @@ class PhraseCollector */ protected $includeObjects = false; + /** + * The class name of the phrase object + */ + protected $className = 'Phrase'; + /** * Construct * * @param Tokenizer $tokenizer * @param bool $includeObjects + * @param String $className */ - public function __construct(Tokenizer $tokenizer, $includeObjects = false) + public function __construct(Tokenizer $tokenizer, $includeObjects = false, $className = 'Phrase') { $this->_tokenizer = $tokenizer; $this->includeObjects = $includeObjects; + $this->className = $className; } /** @@ -116,7 +123,7 @@ protected function extractMethodPhrase(Token $firstToken) */ protected function extractObjectPhrase(Token $firstToken) { - if ($firstToken->isNew() && $this->_tokenizer->isMatchingClass('Phrase')) { + if ($firstToken->isNew() && $this->_tokenizer->isMatchingClass($this->className)) { $arguments = $this->_tokenizer->getFunctionArgumentsTokens(); $phrase = $this->_collectPhrase(array_shift($arguments)); if (null !== $phrase) { From d5d2f9b7f65a3d18c64dc761167e67e1dd0ecafd Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Fri, 23 Oct 2015 16:59:34 -0500 Subject: [PATCH 03/27] MAGETWO-44473: Unable to get Carts information using search criteria - API - Changed webapi file to point to the correct route for search request. --- app/code/Magento/Quote/etc/webapi.xml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/code/Magento/Quote/etc/webapi.xml b/app/code/Magento/Quote/etc/webapi.xml index 51edb6dc074a6..a864013ffc3d4 100644 --- a/app/code/Magento/Quote/etc/webapi.xml +++ b/app/code/Magento/Quote/etc/webapi.xml @@ -15,7 +15,7 @@ - + From 45ef4c44e4a161b16c4b695e6f36ece249f14382 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Sun, 25 Oct 2015 00:17:34 -0500 Subject: [PATCH 04/27] MAGETWO-43612: Untranslatable phrases in Magento 2 - added missing translation phrases to i18n files --- app/code/Magento/Paypal/i18n/de_DE.csv | 5 +++++ app/code/Magento/Paypal/i18n/en_US.csv | 5 +++++ app/code/Magento/Paypal/i18n/es_ES.csv | 5 +++++ app/code/Magento/Paypal/i18n/fr_FR.csv | 5 +++++ app/code/Magento/Paypal/i18n/nl_NL.csv | 5 +++++ app/code/Magento/Paypal/i18n/pt_BR.csv | 5 +++++ app/code/Magento/Paypal/i18n/zh_Hans_CN.csv | 5 +++++ 7 files changed, 35 insertions(+) diff --git a/app/code/Magento/Paypal/i18n/de_DE.csv b/app/code/Magento/Paypal/i18n/de_DE.csv index 9688d3237dbcb..f254123bbfefe 100644 --- a/app/code/Magento/Paypal/i18n/de_DE.csv +++ b/app/code/Magento/Paypal/i18n/de_DE.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/en_US.csv b/app/code/Magento/Paypal/i18n/en_US.csv index b1b45cb9cc966..4b2defa224869 100644 --- a/app/code/Magento/Paypal/i18n/en_US.csv +++ b/app/code/Magento/Paypal/i18n/en_US.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/es_ES.csv b/app/code/Magento/Paypal/i18n/es_ES.csv index a6c03fb513331..298cbcb866c3f 100644 --- a/app/code/Magento/Paypal/i18n/es_ES.csv +++ b/app/code/Magento/Paypal/i18n/es_ES.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/fr_FR.csv b/app/code/Magento/Paypal/i18n/fr_FR.csv index 2db5be340c65b..142dfc401189d 100644 --- a/app/code/Magento/Paypal/i18n/fr_FR.csv +++ b/app/code/Magento/Paypal/i18n/fr_FR.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/nl_NL.csv b/app/code/Magento/Paypal/i18n/nl_NL.csv index 6121c7d1ba940..27b98e5827e06 100644 --- a/app/code/Magento/Paypal/i18n/nl_NL.csv +++ b/app/code/Magento/Paypal/i18n/nl_NL.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/pt_BR.csv b/app/code/Magento/Paypal/i18n/pt_BR.csv index 22bccf0d19376..b3f6d4ff926f7 100644 --- a/app/code/Magento/Paypal/i18n/pt_BR.csv +++ b/app/code/Magento/Paypal/i18n/pt_BR.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" diff --git a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv b/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv index 3533b127b1023..75f0a2341c7f1 100644 --- a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv @@ -687,3 +687,8 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +verified,verified +unverified,unverified +Eligible,Eligible +Ineligible,Inligible +"PayPal Express Checkout","PayPal Express Checkout" From 953f5e5478134153a75b661239aa1ed86120dbe5 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 26 Oct 2015 09:20:36 -0500 Subject: [PATCH 05/27] MAGETWO-44459: Check javascript function calls and labels are translatable - added missing translation phrases to i18n files - added translate attribute to xml template files - modified layout & attribute processors to translate fields whose values are loaded from attribute sets in the database --- .../Magento/Backend/Block/Widget/Form.php | 2 +- app/code/Magento/Backend/i18n/de_DE.csv | 1 + app/code/Magento/Backend/i18n/en_US.csv | 1 + app/code/Magento/Backend/i18n/es_ES.csv | 1 + app/code/Magento/Backend/i18n/fr_FR.csv | 1 + app/code/Magento/Backend/i18n/nl_NL.csv | 1 + app/code/Magento/Backend/i18n/pt_BR.csv | 1 + app/code/Magento/Backend/i18n/zh_Hans_CN.csv | 1 + .../Catalog/Block/Product/View/Attributes.php | 2 +- app/code/Magento/Catalog/etc/adminhtml/di.xml | 8 +- app/code/Magento/Catalog/i18n/de_DE.csv | 2 + app/code/Magento/Catalog/i18n/en_US.csv | 2 + app/code/Magento/Catalog/i18n/es_ES.csv | 2 + app/code/Magento/Catalog/i18n/fr_FR.csv | 2 + app/code/Magento/Catalog/i18n/nl_NL.csv | 2 + app/code/Magento/Catalog/i18n/pt_BR.csv | 2 + app/code/Magento/Catalog/i18n/zh_Hans_CN.csv | 2 + .../view/frontend/layout/default.xml | 2 +- .../Block/Checkout/LayoutProcessor.php | 4 + app/code/Magento/Checkout/i18n/de_DE.csv | 6 + app/code/Magento/Checkout/i18n/en_US.csv | 6 + app/code/Magento/Checkout/i18n/es_ES.csv | 6 + app/code/Magento/Checkout/i18n/fr_FR.csv | 6 + app/code/Magento/Checkout/i18n/nl_NL.csv | 6 + app/code/Magento/Checkout/i18n/pt_BR.csv | 6 + app/code/Magento/Checkout/i18n/zh_Hans_CN.csv | 6 + .../frontend/layout/checkout_cart_index.xml | 4 +- .../frontend/layout/checkout_index_index.xml | 14 +- app/code/Magento/Cms/etc/widget.xml | 4 +- .../Contact/view/frontend/layout/default.xml | 2 +- .../Customer/Model/Customer/DataProvider.php | 2 +- app/code/Magento/Customer/i18n/de_DE.csv | 14 +- app/code/Magento/Customer/i18n/en_US.csv | 11 + app/code/Magento/Customer/i18n/es_ES.csv | 11 + app/code/Magento/Customer/i18n/fr_FR.csv | 11 + app/code/Magento/Customer/i18n/nl_NL.csv | 11 + app/code/Magento/Customer/i18n/pt_BR.csv | 11 + app/code/Magento/Customer/i18n/zh_Hans_CN.csv | 11 + .../adminhtml/layout/customer_index_edit.xml | 2 +- .../view/base/ui_component/customer_form.xml | 4 +- .../view/frontend/layout/customer_account.xml | 6 +- .../view/frontend/layout/customer_account.xml | 2 +- .../view/frontend/layout/customer_account.xml | 2 +- .../Magento/Reports/etc/adminhtml/menu.xml | 2 +- .../view/frontend/layout/customer_account.xml | 2 +- .../layout/sales_order_guest_info_links.xml | 8 +- .../layout/sales_order_info_links.xml | 8 +- .../frontend/layout/checkout_cart_index.xml | 2 +- .../frontend/layout/checkout_index_index.xml | 2 +- .../Search/view/frontend/layout/default.xml | 2 +- .../frontend/layout/checkout_cart_index.xml | 16 +- .../frontend/layout/checkout_index_index.xml | 18 +- app/code/Magento/User/i18n/de_DE.csv | 3 + app/code/Magento/User/i18n/en_US.csv | 3 + app/code/Magento/User/i18n/es_ES.csv | 3 + app/code/Magento/User/i18n/fr_FR.csv | 3 + app/code/Magento/User/i18n/nl_NL.csv | 3 + app/code/Magento/User/i18n/pt_BR.csv | 3 + app/code/Magento/User/i18n/zh_Hans_CN.csv | 3 + .../Widget/Test/Unit/Model/_files/widget.xml | 2 +- .../layout/customer_account.xml | 6 +- pub/errors/404.php | 12 - pub/errors/503.php | 12 - pub/errors/default/404.phtml | 8 - pub/errors/default/503.phtml | 9 - pub/errors/default/css/styles.css | 6 - pub/errors/default/images/favicon.ico | Bin 1150 -> 0 bytes pub/errors/default/images/i_msg-error.gif | Bin 1009 -> 0 bytes pub/errors/default/images/i_msg-note.gif | Bin 1021 -> 0 bytes pub/errors/default/images/i_msg-success.gif | Bin 1024 -> 0 bytes pub/errors/default/images/logo.gif | Bin 3601 -> 0 bytes pub/errors/default/nocache.phtml | 9 - pub/errors/default/page.phtml | 23 - pub/errors/default/report.phtml | 78 --- pub/errors/design.xml | 10 - pub/errors/local.xml.sample | 31 - pub/errors/noCache.php | 12 - pub/errors/processor.php | 596 ------------------ pub/errors/processorFactory.php | 28 - pub/errors/report.php | 15 - pub/media/customer/.htaccess | 2 - pub/media/downloadable/.htaccess | 2 - pub/media/import/.htaccess | 2 - pub/media/theme_customization/.htaccess | 5 - pub/opt/magento/var/resource_config.json | 1 - 85 files changed, 228 insertions(+), 925 deletions(-) delete mode 100644 pub/errors/404.php delete mode 100644 pub/errors/503.php delete mode 100644 pub/errors/default/404.phtml delete mode 100644 pub/errors/default/503.phtml delete mode 100644 pub/errors/default/css/styles.css delete mode 100644 pub/errors/default/images/favicon.ico delete mode 100644 pub/errors/default/images/i_msg-error.gif delete mode 100644 pub/errors/default/images/i_msg-note.gif delete mode 100644 pub/errors/default/images/i_msg-success.gif delete mode 100644 pub/errors/default/images/logo.gif delete mode 100644 pub/errors/default/nocache.phtml delete mode 100644 pub/errors/default/page.phtml delete mode 100644 pub/errors/default/report.phtml delete mode 100644 pub/errors/design.xml delete mode 100644 pub/errors/local.xml.sample delete mode 100644 pub/errors/noCache.php delete mode 100644 pub/errors/processor.php delete mode 100644 pub/errors/processorFactory.php delete mode 100644 pub/errors/report.php delete mode 100644 pub/media/customer/.htaccess delete mode 100644 pub/media/downloadable/.htaccess delete mode 100644 pub/media/import/.htaccess delete mode 100644 pub/media/theme_customization/.htaccess delete mode 100644 pub/opt/magento/var/resource_config.json diff --git a/app/code/Magento/Backend/Block/Widget/Form.php b/app/code/Magento/Backend/Block/Widget/Form.php index 02ef3b1135009..30db248d42e3a 100644 --- a/app/code/Magento/Backend/Block/Widget/Form.php +++ b/app/code/Magento/Backend/Block/Widget/Form.php @@ -187,7 +187,7 @@ protected function _setFieldset($attributes, $fieldset, $exclude = []) $fieldType, [ 'name' => $attribute->getAttributeCode(), - 'label' => $attribute->getFrontend()->getLabel(), + 'label' => __($attribute->getFrontend()->getLabel()), 'class' => $attribute->getFrontend()->getClass(), 'required' => $attribute->getIsRequired(), 'note' => $attribute->getNote() diff --git a/app/code/Magento/Backend/i18n/de_DE.csv b/app/code/Magento/Backend/i18n/de_DE.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/de_DE.csv +++ b/app/code/Magento/Backend/i18n/de_DE.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/en_US.csv b/app/code/Magento/Backend/i18n/en_US.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/en_US.csv +++ b/app/code/Magento/Backend/i18n/en_US.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/es_ES.csv b/app/code/Magento/Backend/i18n/es_ES.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/es_ES.csv +++ b/app/code/Magento/Backend/i18n/es_ES.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/fr_FR.csv b/app/code/Magento/Backend/i18n/fr_FR.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/fr_FR.csv +++ b/app/code/Magento/Backend/i18n/fr_FR.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/nl_NL.csv b/app/code/Magento/Backend/i18n/nl_NL.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/nl_NL.csv +++ b/app/code/Magento/Backend/i18n/nl_NL.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/pt_BR.csv b/app/code/Magento/Backend/i18n/pt_BR.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/pt_BR.csv +++ b/app/code/Magento/Backend/i18n/pt_BR.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv b/app/code/Magento/Backend/i18n/zh_Hans_CN.csv index 8bd82b41c2050..81039c4bf8935 100644 --- a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Backend/i18n/zh_Hans_CN.csv @@ -606,3 +606,4 @@ Tags,Tags Options,Options "Magento Admin","Magento Admin" "Community Edition","Community Edition" +"VAT number","VAT number" diff --git a/app/code/Magento/Catalog/Block/Product/View/Attributes.php b/app/code/Magento/Catalog/Block/Product/View/Attributes.php index 4cf183e499519..c3e759ffc7614 100644 --- a/app/code/Magento/Catalog/Block/Product/View/Attributes.php +++ b/app/code/Magento/Catalog/Block/Product/View/Attributes.php @@ -88,7 +88,7 @@ public function getAdditionalData(array $excludeAttr = []) if (is_string($value) && strlen($value)) { $data[$attribute->getAttributeCode()] = [ - 'label' => $attribute->getStoreLabel(), + 'label' => __($attribute->getStoreLabel()), 'value' => $value, 'code' => $attribute->getAttributeCode(), ]; diff --git a/app/code/Magento/Catalog/etc/adminhtml/di.xml b/app/code/Magento/Catalog/etc/adminhtml/di.xml index d0a8cbf4d2808..03f692e9c8854 100644 --- a/app/code/Magento/Catalog/etc/adminhtml/di.xml +++ b/app/code/Magento/Catalog/etc/adminhtml/di.xml @@ -16,19 +16,19 @@ - Small + Small small_image - Main + Main image - Thumbnail + Thumbnail thumbnail - Custom image + Custom image custom_image diff --git a/app/code/Magento/Catalog/i18n/de_DE.csv b/app/code/Magento/Catalog/i18n/de_DE.csv index 835c5a2fa1b33..069bdf681cd6a 100644 --- a/app/code/Magento/Catalog/i18n/de_DE.csv +++ b/app/code/Magento/Catalog/i18n/de_DE.csv @@ -630,3 +630,5 @@ Set,"Name einstellen" none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/en_US.csv b/app/code/Magento/Catalog/i18n/en_US.csv index e6583169c3b1a..4cd7ec82bf2df 100644 --- a/app/code/Magento/Catalog/i18n/en_US.csv +++ b/app/code/Magento/Catalog/i18n/en_US.csv @@ -630,3 +630,5 @@ Set,Set none,none Overview,Overview "Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/es_ES.csv b/app/code/Magento/Catalog/i18n/es_ES.csv index 2c45038e94f15..0f6441585d6b2 100644 --- a/app/code/Magento/Catalog/i18n/es_ES.csv +++ b/app/code/Magento/Catalog/i18n/es_ES.csv @@ -630,3 +630,5 @@ Set,"Establecer nombre" none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/fr_FR.csv b/app/code/Magento/Catalog/i18n/fr_FR.csv index 37740e1e7db80..94ab89beea690 100644 --- a/app/code/Magento/Catalog/i18n/fr_FR.csv +++ b/app/code/Magento/Catalog/i18n/fr_FR.csv @@ -630,3 +630,5 @@ Set,"Définir le nom" none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/nl_NL.csv b/app/code/Magento/Catalog/i18n/nl_NL.csv index 650ef84638334..3210652fedc52 100644 --- a/app/code/Magento/Catalog/i18n/nl_NL.csv +++ b/app/code/Magento/Catalog/i18n/nl_NL.csv @@ -630,3 +630,5 @@ Set,"Stel Naam in" none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/pt_BR.csv b/app/code/Magento/Catalog/i18n/pt_BR.csv index d2c337913df3a..43d0b296751d5 100644 --- a/app/code/Magento/Catalog/i18n/pt_BR.csv +++ b/app/code/Magento/Catalog/i18n/pt_BR.csv @@ -630,3 +630,5 @@ Set,"Ajustar Nome" none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv b/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv index ed8938feb0f02..428d2741e6f5f 100644 --- a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv @@ -630,3 +630,5 @@ Set,设置名称 none,none Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" +"Product Details","Product Details" +Configurations,Configurations diff --git a/app/code/Magento/CatalogSearch/view/frontend/layout/default.xml b/app/code/Magento/CatalogSearch/view/frontend/layout/default.xml index bb28429fe00fd..e38eb985392b3 100644 --- a/app/code/Magento/CatalogSearch/view/frontend/layout/default.xml +++ b/app/code/Magento/CatalogSearch/view/frontend/layout/default.xml @@ -13,7 +13,7 @@ - Advanced Search + Advanced Search catalogsearch/advanced advanced-search diff --git a/app/code/Magento/Checkout/Block/Checkout/LayoutProcessor.php b/app/code/Magento/Checkout/Block/Checkout/LayoutProcessor.php index 0a773cbf0501d..d5bab282e75b8 100644 --- a/app/code/Magento/Checkout/Block/Checkout/LayoutProcessor.php +++ b/app/code/Magento/Checkout/Block/Checkout/LayoutProcessor.php @@ -57,6 +57,10 @@ public function process($jsLayout) continue; } $elements[$attribute->getAttributeCode()] = $this->attributeMapper->map($attribute); + if (isset($elements[$attribute->getAttributeCode()]['label'])) { + $label = $elements[$attribute->getAttributeCode()]['label']; + $elements[$attribute->getAttributeCode()]['label'] = __($label); + } } // The following code is a workaround for custom address attributes diff --git a/app/code/Magento/Checkout/i18n/de_DE.csv b/app/code/Magento/Checkout/i18n/de_DE.csv index f604546621d38..fea92f2ba7feb 100644 --- a/app/code/Magento/Checkout/i18n/de_DE.csv +++ b/app/code/Magento/Checkout/i18n/de_DE.csv @@ -177,3 +177,9 @@ Register,Registrieren "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Ihre Bestellung wurde erhalten." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/en_US.csv b/app/code/Magento/Checkout/i18n/en_US.csv index 60b459d0ba9a7..5d2f1d9d266a2 100644 --- a/app/code/Magento/Checkout/i18n/en_US.csv +++ b/app/code/Magento/Checkout/i18n/en_US.csv @@ -177,3 +177,9 @@ Register,Register "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Your order has been received." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/es_ES.csv b/app/code/Magento/Checkout/i18n/es_ES.csv index 3c66daf827db3..bdaa3bc22a708 100644 --- a/app/code/Magento/Checkout/i18n/es_ES.csv +++ b/app/code/Magento/Checkout/i18n/es_ES.csv @@ -177,3 +177,9 @@ Register,Registrarse "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Se recibió su pedido." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/fr_FR.csv b/app/code/Magento/Checkout/i18n/fr_FR.csv index 84f388d8db5a2..ed93ddd7a91bf 100644 --- a/app/code/Magento/Checkout/i18n/fr_FR.csv +++ b/app/code/Magento/Checkout/i18n/fr_FR.csv @@ -177,3 +177,9 @@ Register,S'inscrire "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Votre commande a bien été reçue." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/nl_NL.csv b/app/code/Magento/Checkout/i18n/nl_NL.csv index 99e59069beacd..5044a714631d0 100644 --- a/app/code/Magento/Checkout/i18n/nl_NL.csv +++ b/app/code/Magento/Checkout/i18n/nl_NL.csv @@ -177,3 +177,9 @@ Register,Registreer "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Uw bestelling is ontvangen." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/pt_BR.csv b/app/code/Magento/Checkout/i18n/pt_BR.csv index 3262a6a301b51..cbf0f19b70e87 100644 --- a/app/code/Magento/Checkout/i18n/pt_BR.csv +++ b/app/code/Magento/Checkout/i18n/pt_BR.csv @@ -177,3 +177,9 @@ Register,Registrar "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Seu pedido foi recebido." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv b/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv index e7d99aa2b4dfc..ef7ae7903455f 100644 --- a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv @@ -177,3 +177,9 @@ Register,注册 "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.",我们已经收到您的订单。 +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" +"Phone Number","Phone Number" diff --git a/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml index 75c80fd010d66..54a4a4a3e264c 100644 --- a/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml @@ -149,14 +149,14 @@ Magento_Checkout/js/view/cart/totals/shipping - Shipping + Shipping Magento_Checkout/cart/totals/shipping Magento_Checkout/js/view/summary/grand-total - Order Total + Order Total Magento_Checkout/cart/totals/grand-total diff --git a/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml index d63de55391c74..d99b48943df3b 100644 --- a/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml @@ -104,15 +104,15 @@ popup true true - Shipping Address + Shipping Address opc-new-shipping-address - Save Address + Save Address action primary action-save-address - Cancel + Cancel action secondary action-hide-popup @@ -248,7 +248,7 @@ Magento_Checkout/js/view/payment - Payment + Payment @@ -358,20 +358,20 @@ Magento_Checkout/js/view/summary/subtotal - Cart Subtotal + Cart Subtotal Magento_Checkout/js/view/summary/shipping - Shipping + Shipping Not yet calculated Magento_Checkout/js/view/summary/grand-total - Order Total + Order Total diff --git a/app/code/Magento/Cms/etc/widget.xml b/app/code/Magento/Cms/etc/widget.xml index 5256c82b8e365..dd21ef501a1fd 100644 --- a/app/code/Magento/Cms/etc/widget.xml +++ b/app/code/Magento/Cms/etc/widget.xml @@ -17,7 +17,7 @@ - Select Page... + Select Page... @@ -52,7 +52,7 @@ - Select Block... + Select Block... diff --git a/app/code/Magento/Contact/view/frontend/layout/default.xml b/app/code/Magento/Contact/view/frontend/layout/default.xml index 9b7417a841f08..7636f82ed8f19 100644 --- a/app/code/Magento/Contact/view/frontend/layout/default.xml +++ b/app/code/Magento/Contact/view/frontend/layout/default.xml @@ -10,7 +10,7 @@ - Contact Us + Contact Us contact diff --git a/app/code/Magento/Customer/Model/Customer/DataProvider.php b/app/code/Magento/Customer/Model/Customer/DataProvider.php index e38902cb14170..8831d6d791bc4 100644 --- a/app/code/Magento/Customer/Model/Customer/DataProvider.php +++ b/app/code/Magento/Customer/Model/Customer/DataProvider.php @@ -154,7 +154,7 @@ protected function getAttributesMeta(Type $entityType) // use getDataUsingMethod, since some getters are defined and apply additional processing of returning value foreach ($this->metaProperties as $metaName => $origName) { $value = $attribute->getDataUsingMethod($origName); - $meta[$code][$metaName] = $value; + $meta[$code][$metaName] = ($metaName === 'label') ? __($value) : $value; if ('frontend_input' === $origName) { $meta[$code]['formElement'] = isset($this->formElement[$value]) ? $this->formElement[$value] diff --git a/app/code/Magento/Customer/i18n/de_DE.csv b/app/code/Magento/Customer/i18n/de_DE.csv index e138d63071cf9..4af58c3e29276 100644 --- a/app/code/Magento/Customer/i18n/de_DE.csv +++ b/app/code/Magento/Customer/i18n/de_DE.csv @@ -163,8 +163,7 @@ Download,Download Visitor,Besucher "The customer is currently assigned to Customer Group %s.","Der Kunde ist derzeit Kundengruppe %s zugeordnet." "Would you like to change the Customer Group for this order?","Möchten sie die Kundengruppe für diese Bestellung ändern?" -"The VAT ID is valid. The current Customer Group will be used.","Umsatzsteuer-Identifikationsnummer (%s) ist nicht gültig. Aktuelle Kundengruppe wird angewandt -." +"The VAT ID is valid. The current Customer Group will be used.","Umsatzsteuer-Identifikationsnummer (%s) ist nicht gültig. Aktuelle Kundengruppe wird angewandt." "Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." "The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." "There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." @@ -415,3 +414,14 @@ n/a,"Keine Angabe" "Password forgotten","Passwort vergessen" "My Dashboard","Meine Startseite" "You are now logged out","Sie sind jetzt abgemeldet" +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/en_US.csv b/app/code/Magento/Customer/i18n/en_US.csv index f3ed0e19fb9e3..9c054253770f5 100644 --- a/app/code/Magento/Customer/i18n/en_US.csv +++ b/app/code/Magento/Customer/i18n/en_US.csv @@ -414,3 +414,14 @@ n/a,n/a "Password forgotten","Password forgotten" "My Dashboard","My Dashboard" "You are now logged out","You are now logged out" +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/es_ES.csv b/app/code/Magento/Customer/i18n/es_ES.csv index 6ee5727639a0e..b098d1ba621f5 100644 --- a/app/code/Magento/Customer/i18n/es_ES.csv +++ b/app/code/Magento/Customer/i18n/es_ES.csv @@ -414,3 +414,14 @@ n/a,n/d "Password forgotten","Olvido de contraseña" "My Dashboard","Mi panel de control" "You are now logged out","Ha cerrado sesión." +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/fr_FR.csv b/app/code/Magento/Customer/i18n/fr_FR.csv index e32c2759c36ce..c395a660b4198 100644 --- a/app/code/Magento/Customer/i18n/fr_FR.csv +++ b/app/code/Magento/Customer/i18n/fr_FR.csv @@ -414,3 +414,14 @@ n/a,n/a "Password forgotten","Mot de passe oublié" "My Dashboard","Mon espace de travail" "You are now logged out","Vous êtes maintenant déconnecté." +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/nl_NL.csv b/app/code/Magento/Customer/i18n/nl_NL.csv index bde6b074652d8..6de00bdc3a3cb 100644 --- a/app/code/Magento/Customer/i18n/nl_NL.csv +++ b/app/code/Magento/Customer/i18n/nl_NL.csv @@ -414,3 +414,14 @@ n/a,n.v.t. "Password forgotten","Wachtwoord vergeten" "My Dashboard","Mijn Dashboard" "You are now logged out","U bent nu uitgelogd" +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/pt_BR.csv b/app/code/Magento/Customer/i18n/pt_BR.csv index b02e6801702ba..1f9a362763ca6 100644 --- a/app/code/Magento/Customer/i18n/pt_BR.csv +++ b/app/code/Magento/Customer/i18n/pt_BR.csv @@ -414,3 +414,14 @@ n/a,n/d "Password forgotten","Senha esquecida" "My Dashboard","Meu Painel" "You are now logged out","Agora você está desconectado" +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv b/app/code/Magento/Customer/i18n/zh_Hans_CN.csv index e344fa595c39e..a289e6189eb70 100644 --- a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Customer/i18n/zh_Hans_CN.csv @@ -414,3 +414,14 @@ n/a,不可用 "Password forgotten",密码忘记 "My Dashboard",我的仪表板 "You are now logged out",您已注销 +"All Customers","All Customers" +"Now Online","Now Online" +"Associate to Website","Associate to Website" +Prefix,Prefix +"Middle Name/Initial","Middle Name/Initial" +Suffix,Suffix +"Date Of Birth","Date Of Birth" +"Tax/VAT Number","Tax/VAT Number" +"Send Welcome Email From","Send Welcome Email From" +"Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" +"Images and Videos","Images and Videos" diff --git a/app/code/Magento/Customer/view/adminhtml/layout/customer_index_edit.xml b/app/code/Magento/Customer/view/adminhtml/layout/customer_index_edit.xml index 1ae0c8e97db2e..ea66bd6d04e6f 100644 --- a/app/code/Magento/Customer/view/adminhtml/layout/customer_index_edit.xml +++ b/app/code/Magento/Customer/view/adminhtml/layout/customer_index_edit.xml @@ -16,7 +16,7 @@ - Customer View + Customer View 10 diff --git a/app/code/Magento/Customer/view/base/ui_component/customer_form.xml b/app/code/Magento/Customer/view/base/ui_component/customer_form.xml index 0fa2ab59bcc75..591b959169897 100644 --- a/app/code/Magento/Customer/view/base/ui_component/customer_form.xml +++ b/app/code/Magento/Customer/view/base/ui_component/customer_form.xml @@ -102,7 +102,7 @@ http://www.magentocommerce.com/knowledge-base/entry/understanding-store-scopes - If your Magento site has multiple views, you can set the scope to apply to a specific view. + If your Magento site has multiple views, you can set the scope to apply to a specific view. @@ -247,7 +247,7 @@ Magento\Store\Model\System\Store - Send Welcome Email From + Send Welcome Email From number select diff --git a/app/code/Magento/Customer/view/frontend/layout/customer_account.xml b/app/code/Magento/Customer/view/frontend/layout/customer_account.xml index 2081d30dc3985..ad56d04e7b23f 100644 --- a/app/code/Magento/Customer/view/frontend/layout/customer_account.xml +++ b/app/code/Magento/Customer/view/frontend/layout/customer_account.xml @@ -12,19 +12,19 @@ - Account Dashboard + Account Dashboard customer/account - Account Information + Account Information customer/account/edit - Address Book + Address Book customer/address diff --git a/app/code/Magento/Newsletter/view/frontend/layout/customer_account.xml b/app/code/Magento/Newsletter/view/frontend/layout/customer_account.xml index ad87b14bd383e..4f47e268f69f5 100644 --- a/app/code/Magento/Newsletter/view/frontend/layout/customer_account.xml +++ b/app/code/Magento/Newsletter/view/frontend/layout/customer_account.xml @@ -11,7 +11,7 @@ newsletter/manage - Newsletter Subscriptions + Newsletter Subscriptions diff --git a/app/code/Magento/Paypal/view/frontend/layout/customer_account.xml b/app/code/Magento/Paypal/view/frontend/layout/customer_account.xml index 0138d6237d73c..b7dda148924aa 100644 --- a/app/code/Magento/Paypal/view/frontend/layout/customer_account.xml +++ b/app/code/Magento/Paypal/view/frontend/layout/customer_account.xml @@ -14,7 +14,7 @@ paypal/billing_agreement - Billing Agreements + Billing Agreements diff --git a/app/code/Magento/Reports/etc/adminhtml/menu.xml b/app/code/Magento/Reports/etc/adminhtml/menu.xml index 7cdfecfab1b49..91fd6188b2898 100644 --- a/app/code/Magento/Reports/etc/adminhtml/menu.xml +++ b/app/code/Magento/Reports/etc/adminhtml/menu.xml @@ -28,7 +28,7 @@ - + diff --git a/app/code/Magento/Sales/view/frontend/layout/customer_account.xml b/app/code/Magento/Sales/view/frontend/layout/customer_account.xml index b1039f8160b26..15d9c69421d27 100644 --- a/app/code/Magento/Sales/view/frontend/layout/customer_account.xml +++ b/app/code/Magento/Sales/view/frontend/layout/customer_account.xml @@ -11,7 +11,7 @@ sales/order/history - My Orders + My Orders diff --git a/app/code/Magento/Sales/view/frontend/layout/sales_order_guest_info_links.xml b/app/code/Magento/Sales/view/frontend/layout/sales_order_guest_info_links.xml index 24a508d9b2a48..5387943e08878 100644 --- a/app/code/Magento/Sales/view/frontend/layout/sales_order_guest_info_links.xml +++ b/app/code/Magento/Sales/view/frontend/layout/sales_order_guest_info_links.xml @@ -15,28 +15,28 @@ sales/guest/view - Order Information + Order Information Invoices sales/guest/invoice - Invoices + Invoices Shipments sales/guest/shipment - Order Shipments + Order Shipments Creditmemos sales/guest/creditmemo - Refunds + Refunds diff --git a/app/code/Magento/Sales/view/frontend/layout/sales_order_info_links.xml b/app/code/Magento/Sales/view/frontend/layout/sales_order_info_links.xml index 269a51aa869b5..5ceacf3f3e5c6 100644 --- a/app/code/Magento/Sales/view/frontend/layout/sales_order_info_links.xml +++ b/app/code/Magento/Sales/view/frontend/layout/sales_order_info_links.xml @@ -15,28 +15,28 @@ sales/order/view - Items Ordered + Items Ordered Invoices sales/order/invoice - Invoices + Invoices Shipments sales/order/shipment - Order Shipments + Order Shipments Creditmemos sales/order/creditmemo - Refunds + Refunds diff --git a/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml index 43f5d46028d6d..de71cda9db5e9 100644 --- a/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml @@ -18,7 +18,7 @@ Magento_SalesRule/js/view/cart/totals/discount - Discount + Discount diff --git a/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml index 2aa493560772a..a7a893fc5428f 100644 --- a/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml @@ -49,7 +49,7 @@ Magento_SalesRule/js/view/summary/discount - Discount + Discount diff --git a/app/code/Magento/Search/view/frontend/layout/default.xml b/app/code/Magento/Search/view/frontend/layout/default.xml index 54dc8bf147ec6..60fc0b413259a 100644 --- a/app/code/Magento/Search/view/frontend/layout/default.xml +++ b/app/code/Magento/Search/view/frontend/layout/default.xml @@ -13,7 +13,7 @@ - Search Terms + Search Terms search/term/popular diff --git a/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml index 4c0a5feb01fbe..dc0831a53cc78 100644 --- a/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml @@ -17,8 +17,8 @@ Magento_Tax/js/view/checkout/summary/subtotal Magento_Tax/checkout/summary/subtotal - (Excl. Tax) - (Incl. Tax) + (Excl. Tax) + (Incl. Tax) @@ -26,8 +26,8 @@ 20 Magento_Tax/checkout/cart/totals/shipping - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax @@ -41,16 +41,16 @@ Magento_Tax/js/view/checkout/cart/totals/tax Magento_Tax/checkout/cart/totals/tax - Tax + Tax Magento_Tax/js/view/checkout/cart/totals/grand-total Magento_Tax/checkout/cart/totals/grand-total - Order Total Excl. Tax - Order Total Incl. Tax - Order Total + Order Total Excl. Tax + Order Total Incl. Tax + Order Total diff --git a/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml index cd1d07d44dd7d..db282fc648fb9 100644 --- a/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml @@ -40,16 +40,16 @@ Magento_Tax/js/view/checkout/summary/subtotal - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax Magento_Tax/js/view/checkout/summary/shipping 20 - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax @@ -62,16 +62,16 @@ Magento_Tax/js/view/checkout/summary/tax - Tax + Tax Magento_Tax/js/view/checkout/summary/grand-total - Order Total Excl. Tax - Order Total Incl. Tax - Your credit card will be charged for - Order Total + Order Total Excl. Tax + Order Total Incl. Tax + Your credit card will be charged for + Order Total diff --git a/app/code/Magento/User/i18n/de_DE.csv b/app/code/Magento/User/i18n/de_DE.csv index 63367a6ff3a32..9c41287d3af04 100644 --- a/app/code/Magento/User/i18n/de_DE.csv +++ b/app/code/Magento/User/i18n/de_DE.csv @@ -118,3 +118,6 @@ Unlock,Entsperren "Last login","Letzter Login" Failures,Fehler Unlocked,"Gesperrt bis" +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/en_US.csv b/app/code/Magento/User/i18n/en_US.csv index 1f56f067006fc..8dd1505dfd90d 100644 --- a/app/code/Magento/User/i18n/en_US.csv +++ b/app/code/Magento/User/i18n/en_US.csv @@ -118,3 +118,6 @@ Unlock,Unlock "Last login","Last login" Failures,Failures Unlocked,Unlocked +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/es_ES.csv b/app/code/Magento/User/i18n/es_ES.csv index 4dd4f371b4af5..59ffd584af1df 100644 --- a/app/code/Magento/User/i18n/es_ES.csv +++ b/app/code/Magento/User/i18n/es_ES.csv @@ -119,3 +119,6 @@ Unlock,Desbloquear "Last login","Ultimo acceso" Failures,Fallos Unlocked,"Bloqueado hasta" +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/fr_FR.csv b/app/code/Magento/User/i18n/fr_FR.csv index bbe1e63a96cbd..f0b78a30d5f3d 100644 --- a/app/code/Magento/User/i18n/fr_FR.csv +++ b/app/code/Magento/User/i18n/fr_FR.csv @@ -119,3 +119,6 @@ Unlock,Déverrouiller "Last login","Dernière connexion" Failures,Echecs Unlocked,"Verrouillé jusqu'" +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/nl_NL.csv b/app/code/Magento/User/i18n/nl_NL.csv index 91813e3a13311..358014f23ddb7 100644 --- a/app/code/Magento/User/i18n/nl_NL.csv +++ b/app/code/Magento/User/i18n/nl_NL.csv @@ -119,3 +119,6 @@ Unlock,Openen "Last login","Laatste login" Failures,Mislukkingen Unlocked,"Gesloten tot" +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/pt_BR.csv b/app/code/Magento/User/i18n/pt_BR.csv index d8d16b8cd04f7..35ac34a4584df 100644 --- a/app/code/Magento/User/i18n/pt_BR.csv +++ b/app/code/Magento/User/i18n/pt_BR.csv @@ -119,3 +119,6 @@ Unlock,Desbloquear "Last login","Último login" Failures,Falhas Unlocked,"Bloqueado até" +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/User/i18n/zh_Hans_CN.csv b/app/code/Magento/User/i18n/zh_Hans_CN.csv index 1c10afb0b649b..d3a47aed2eb37 100644 --- a/app/code/Magento/User/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/User/i18n/zh_Hans_CN.csv @@ -119,3 +119,6 @@ Unlock,解锁 "Last login",上一次登录 Failures,失败 Unlocked,锁定直到 +"All Users","All Users" +"User Roles","User Roles" +"Your Password","Your Password" diff --git a/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml b/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml index c9920757160e4..6f6cac6801c29 100644 --- a/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml +++ b/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml @@ -43,7 +43,7 @@ - Select Product... + Select Product... diff --git a/app/design/frontend/Magento/blank/Magento_Customer/layout/customer_account.xml b/app/design/frontend/Magento/blank/Magento_Customer/layout/customer_account.xml index 5423f41c4d2f3..564d66989228c 100644 --- a/app/design/frontend/Magento/blank/Magento_Customer/layout/customer_account.xml +++ b/app/design/frontend/Magento/blank/Magento_Customer/layout/customer_account.xml @@ -19,19 +19,19 @@ - Account Dashboard + Account Dashboard customer/account - Account Information + Account Information customer/account/edit - Address Book + Address Book customer/address diff --git a/pub/errors/404.php b/pub/errors/404.php deleted file mode 100644 index 93cbc7d7c755a..0000000000000 --- a/pub/errors/404.php +++ /dev/null @@ -1,12 +0,0 @@ -createProcessor(); -$response = $processor->process404(); -$response->sendResponse(); diff --git a/pub/errors/503.php b/pub/errors/503.php deleted file mode 100644 index feea18844498b..0000000000000 --- a/pub/errors/503.php +++ /dev/null @@ -1,12 +0,0 @@ -createProcessor(); -$response = $processor->process503(); -$response->sendResponse(); diff --git a/pub/errors/default/404.phtml b/pub/errors/default/404.phtml deleted file mode 100644 index 5baa86a326724..0000000000000 --- a/pub/errors/default/404.phtml +++ /dev/null @@ -1,8 +0,0 @@ - - -

404 error: Page not found.

diff --git a/pub/errors/default/503.phtml b/pub/errors/default/503.phtml deleted file mode 100644 index 439db9c733100..0000000000000 --- a/pub/errors/default/503.phtml +++ /dev/null @@ -1,9 +0,0 @@ - - -

Service Temporarily Unavailable

-

The server is temporarily unable to service your request due to maintenance downtime or capacity problems. Please try again later.

diff --git a/pub/errors/default/css/styles.css b/pub/errors/default/css/styles.css deleted file mode 100644 index 17f76d0346514..0000000000000 --- a/pub/errors/default/css/styles.css +++ /dev/null @@ -1,6 +0,0 @@ -/** - * Copyright © 2015 Magento. All rights reserved. - * See COPYING.txt for license details. - */ - -body{background:#fff;color:#333;font-family:Arial,Helvetica,sans-serif;font-size:14px;line-height:1.4;margin:0;padding:0;text-align:left}main{display:block}img{border:0}a{color:#1979c3;text-decoration:underline}a:hover{text-decoration:none}h1{font-size:30px;font-weight:700;margin:0 0 20px}h2{font-size:20px;font-weight:700;margin:0 0 10px}input[type=text],textarea{box-sizing:border-box;background:#fff;border:1px solid #c2c2c2;border-radius:1px;width:100%;font-size:14px;font-family:Arial,Helvetica,sans-serif;line-height:1.42857143;background-clip:padding-box;vertical-align:baseline}input[type=text]{height:32px;padding:0 9px}textarea{height:auto;padding:10px;resize:vertical}input[type=text]:focus,textarea:focus{box-shadow:0 0 3px 1px #68a8e0}button{background:#1979c3;border:none;border-radius:3px;color:#fff;cursor:pointer;display:inline-block;font-size:14px;font-weight:700;line-height:16px;padding:7px 15px;text-align:center}button:hover{background:#006bb4}p{margin:0 0 10px}ol,ul{list-style:none}.page-main{padding:20px 30px}.trace{background:#f1f1f1;min-height:250px;overflow:auto;width:100%}.message{border:1px solid;background-position:10px 11px;background-repeat:no-repeat;margin:20px 0;padding:10px 20px 10px 35px}.error{border-color:#b30000;background-color:#fae5e5;background-image:url(../images/i_msg-error.gif);color:#b30000}.success{border-color:#006400;background-color:#e5efe5;background-image:url(../images/i_msg-success.gif);color:#006400}.info{border-color:#6f4400;background-color:#fdf0d5;background-image:url(../images/i_msg-note.gif);color:#6f4400}.fieldset{border:0;margin:0 0 20px;padding:0}.fieldset .legend{box-sizing:border-box;float:left;font-size:20px;line-height:1.2;margin:0 0 25px;padding:0}.fieldset .legend+br{display:block;clear:both;height:0;overflow:hidden;visibility:hidden}.fieldset:last-child{margin-bottom:0}.fieldset:after{content:attr(data-hasrequired);color:#e02b27;display:block;font-size:12px;letter-spacing:normal;margin:10px 0 0;word-spacing:normal}.field{margin:0 0 20px}.label{font-weight:700}.label:after{content:"*";font-size:12px;color:#e02b27;margin:0 0 0 5px} diff --git a/pub/errors/default/images/favicon.ico b/pub/errors/default/images/favicon.ico deleted file mode 100644 index 1cb7c7713718b5d6b7995734db32a1fdf9bf5b16..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1150 zcmbW0Ye*DP6vwX^1rg|{D2R%%(oIFQLd`Ub#7u+0SDCM6g#;rkDj`yX`XG@M24!E0 zz_uv0GKI=oGi|j18(PQh5~AIFMN>Vr?{s11Ieh<5RRkrs|SlPMe#D7yItHna zk7c#od`8jMN7en6V*l-Sw_!R*WFm+79GiyE@S6UF0Ngjv@kDdKznMe!KHG?v4#A1tU z7|;6O^IpM5rkznP!1PYh_9JWODv)RWSCevW_{Do6QQ!vq&W9SD_&(*u<2MTOtL-q4 zs7wxM>6XnG=hM*?h4;D^-uI?j4p8W89oTIUeLBY*9KD~$XaZaE{X2@H zhFE!J+4WZUS#}PQ#jNnC9ktDFpJi8w(ELT!;`oz3sYG+o-a0~l17QCCKmY&$ diff --git a/pub/errors/default/images/i_msg-error.gif b/pub/errors/default/images/i_msg-error.gif deleted file mode 100644 index 2a7b061ecd97dc2ebca2af4caab27ce0427786c8..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1009 zcmZ?wbhEHb6krfw_|CxarXc!NPUO4dn9nr{uk)gQ?_K#kJ^VvO{QI)luT9C1;)7pg zMtrP_|6G^&W6OePsbSwbv!5n~e!F?;*U5dKR?h#tY~ruG*S<6)J?(40Gri+(ZT=xI z!>5~9e7bV(>xRWwQi2Zq7{8fR|E;U&Q&-WsSf4L5TRyIs|Ejn8O?Um{meP-tn_kvt zT#a{oRT}eh>9lWKmYhxWei$3{Yv;-j)0^MyTK}Lp;n&T}Z)S9UIlSZ9mX$wlU-`9X z#moHo$7#`z6GPtAr+=I~;pfg}PYWZSPi+0MsPkfCz~`&yzBXrmTsrehPsx+?n7esl zXW~6SUOw}#Iq!RG_EA66*PXR*Cv|>Vv+(2emWM@AZ|6^a)=}~4;I^L=E8ne}eKFDV zOsMs-DCg%nv3Cn%zi(c0EY$Aa%^fZ|UUMh1ok1|5(SKzYJ};~WDcr;Nvj1qZ}x@5wkQ z95^J_{ONOj_9K*lo1Q#&Xh= zR=#H8a{-zOY)mXl)=nG;jS9}o_7>}vq-+p4D=yCT`ou@$hJ1Gh-^v@A$`^QN3NZ;V xM2&yFa^NXhL0%=ZK*76!c>=WWK8$!B8?~jIm+1jfNmckRm$NGd||{S%bd=1 z)7M2As{HBhBS=I1_`Lw*3*KDgS;p3byic}id+?43bA6Is8AsSPu?PGt@={ED4rxln zk%@tUL6$MwrW*+JIKXB?L-~~jyP^*XPQ)BG$gvaw3G%7F5%U}r&HYHvBeCsz@z%~6WZDg56lQfdheqijqG}^-0hFMB!c$cbvd*RuO zT61p}V;*No6^%9leOP>4^xOkCT%Dn>h8goG8m%LAdB83s3>AeXV#`!JIp1g3oWf@_ zG4(aOx*;torbZ$)58N5c@dfxOOBr!(Hbu_k`cB%?3dk8u*T%BS>lflD?gtI$??HMC z?bFG)?h1j9&MJE!=A021-v;;(%Gk|VzOsx7kQ#lSi}eRQuNeY14NGY$(qPnnr;G)} zOfzljsi~=>aDCD3K#DR!|M_Qu4WuInf}TOXf33ey@SP{15En-5Qz~}2(dB_|i&jZi zt!Qm=F5N#Q+5)aa?n>D|K^7+)nR4 zuAoS|d~Mb;-%Ff*4iUl5Tu3Ndw%T9d=m*tEvOWDup4O4GPDdneOCGyt=fX>?p}UUZ xkG$q`%0!;0y`Hb+%Y?2gE8K6-m2W(~e(sG)MJF=;{QbTC;rgu)*HxX#%|Dcw zyFGl}^@Z!NFW7Qx*_NA2_dni|cO+@$?dd+#ZSTIiWn67A{Y-1|u9)?AmgOBuG^sbt z-x^V{KRo-eSMl+*lnp+ahdef2*$}eHr1fa&)@vK~J>FJ%Fs0;hir;L}h8^a<+v{JKlWl-KBzq$;)p{ z_Sm5Q_WSG3BW1^)?<(0IZPI7xw7|%DfstL0)t38f>UU%o?1+5);oh{#{04mG$xGhq9BIHM>&E_atn*yZqLZn|)imzx?`i@Aa+j z6BS$TuDbc=%BJ{&+8c zYviWeD{A+oZN0zd;k(9&#+ z8MXV;qxPA%pR8=&mpk)fcjj@=z;Ezcxt zfwO{`9D{(0KybsweuvOG9t#a7xbS#r8vNAU{K9deEHjtiq?8Wt28O7bjs=bznq{0) zI#M1iVF*=Q{bZ1LiAoN{S_p+>~4 zV)4<#ce!|^*pZDN)Orq>2Ah2~EPlu}pEsZ>;^Km)gbs~@XHPCRr#Q9FNNMKh;b5=^ E03d&PtN;K2 diff --git a/pub/errors/default/images/logo.gif b/pub/errors/default/images/logo.gif deleted file mode 100644 index ebe91f2c4b5f7ca1572e6097e728e2f985a7014f..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 3601 zcmbVO2{crH8@3Y$$zDwMeM<;4$Szq1LzZNT#*!sP7)x0qTXtg^vX?DcQ^;1bFG(n} zPGbp~F^i>d_=(SdyZxE{ zL;f24lm2P=UkEfz9ud zBLR7h@bvnzRjvgt0YofyAs}t=xySqdR~+}8JUajQWh3?D5fEaf7ik=qqJ6C7m>=Ws zDv9jHD&mqalL(=}77OPm5n|>jiMj z`U5epdP-CEjC@1xY@iQ2KYEQ1*2ehCZMy|>pKNB~5V~=m>#K%|bkVO)J9Ua){$wNS z%wZBcfx>?qN`~|i50!Fc`qNsCttb~VZJ&LNyyM^>%`qHdVWYg;P`#siEfBhqJolxn z?mh-ma%KFr-v}AmsbNE%%a*XY&744cOMSk#;enjq*4{q#1LM@sB=aK7?I~(Do*QJ9 ziE*&7P!&atvyt=1L8#)W!NwbqG_ExJ;Q{wlZP}?*BN?##YVa1=C#$g}dw%dulL3U~ z?v{Ut#$FqtEoishXLV|o{OzwI(6_f69Yo{#L!64({)0oS^l8&e0{d0K4lmcA%S%kO zzgGDw#gg3AY4>n8D~krJg4~HhOfKpgpIvx0&vnCN&tNP*2t@}T+q~A5Sqq+2UTP=k^MMm@ z$l@N7CEhrkX5NDBa%cV!pPn5$%Gr20pu?6G)`lvU2|xI*@d{Ms8oTO`?hkieV_|Zw z51o3oP_fIc5gfm=R^A=7Qa1IS;`-6xPho^o^k{9<7Fzdir8oavWDo;IOi42wzLE-h z+Kx>QMDJjgH}jSzDnCO_fR_za62HQbI_!ZAXi?uUU$rOfqzX3E*tU*l`>Xbm?T54_ zUVE>Tr4PSvm0{wSBX#dkR=v-ju>0|H7O{=7S|8XNWR-!BjTg*4DpLJ$*c9{J+=mm) za466=*?Mcf5My*{n9`cG(xw zYKA8k5YNP-Rudvh(Tda$QMBvv+szUqqTsbENkhJ1u=>q7huZnBdA^LAq;ix$7Sc|T z3BcTF4=Ak#9_CeM$}(zcBrY|Hl=|7%6}E783M%3iGH5I{l#>i?>rx%2r1NxUXWnWX z<+ZGk_0x%da-qm27xm`JrdO@#cWGzgjD14D1)$Cj$nyq2s_;zh+CWQl@a_i&z?tP-X&Nwe?gnq=*xUyC3(9Te{W`(68(KC}=VPncH&BEU2~r zyL>e4pf|IFCY{=%KvoG?{(f0ezog^f6ogT$R!{+;i=X|#R%V%Gp~)rj(_kWheH%N@ ziMIY`7ZCN-S%uGH@EfZEatme8*t79Pu_mpVXkm3Fc|D``Vh}mM@dL+3p7(=hm6P<@ z@kT?uA3Z7HJC|?zY~a>@&o2 zR|Dd+O9rgf06GPFo-r-ZH!tbNcqW;1uCtF7hP}KPB(8kV=T((Ay(t%bJ0-gze+ARi z>47I_UQ{#TOFF95o*2=gIdfJ?i>m+>oQUBPsp0J@A_KU|*E)UD6G*>k)xuDUOBE>P z4W+;C-oBUeaxfO1=6Co2p-^gGxFcc1v&~Li*4O7X5e_RWq-o&jd8OZ>eMYUyZE=uZ zM0CbalPDHMZ_2*@`Siq6S4gUhs5;@Y5-OL#2G1S}dda0hXQ{}i74>=9=b_NB!^1}< zH-t^&!xpI$v%|#ep>oCZdJqkNqs0Lr(Taze0}r3{W~A@Nf_jw2yWHu%jwd^42(`g= zKio0p5(d{ase#2cC9Emhbi}}My3jPTMb2u<(;hNG`HkE{Ttp{(Lsr&EA?;C@Jj|K> zR}9H~Ds8V>n)|{e-cH65q!?f#t*tYNJu_8x8;^KHvx^Hh2Y?9|=UtZl{L_@(v1o;! zzS!NxFgktf$96SB6*)qiJk(-CAa95C-N&$eE;i;lIj|v*-Obq%JY+m1b^$P9iRYkU-U>z09f;?micr2AeVTXB*U4-o3SA~ z@T9ACrwl;?Ls0&z8q4jJ)IOmR45*dznt_%%GH^08BGSE~iZ23r^I^sCFsoRnjBPEv z57*`HU&$vNs-EwB1hRiV`Q5X3BBFo5IgqBbGNr4yiL1QTqfW}vBqU6eh}e*bsjpvf zp5JEU5V;EgV))(!%Y9?t^5_SinnO{Fe(DOwsk@tP+{8zwN%tddrA)EV z?3YYmQ#I7`)bDj;M%0ymqNK9I`7f5w(2hX*C`~os+L-Wgmy4#I(s3P*93oz@d(CV0 z-Tos?rs2dJBMEEVlh-Pv_w}ea*-NE_e{lK@bo4RlYIvZpX7uWp!+fQJ>EdxNK+Oif z#}d95gL$MXMKhNr->=#oIUsTJKOZ$)J1p9XcFITT042(g;8QN3eIuWU?!L+{On8>Y z0fyW6JmMZvmc!8d0yvuHdaV)Z`*Bb-bj{>&N5ls@T{Bf}dJaVhUqLmL1rf`R>SY>U zNg25+1Y$u{qZMn@ut6=?VLdswHoCa$pZm~j{TGsHkL*OleWv%<JiH zQ=3^kNm5@zj($1UTGQCu#Ck;`(V*Z3(|H&wNiQOXvoBG9M%&-op{j3FUaWp#2o*e( z0iJE~hgo7uR9 z^iywAeD~%y{rN-h#nYSt@yaGXodvEdWQf-h)?*<=&54AwEo)Hs1!?5v8Eo6?J}UppTll*RiF>dXw+4SiqC| zuv^ouI$}QWw<*^XBzLA-n3}SVMAJL421VR=23}02Q$MxYb~Z7y6KIXDld3#*cC_WR zWp%U47I!lHobP;L@!lpgtJR!auxkzLk*xLylm--GQ9Q - -

Service Temporarily Unavailable

-

The application can't retrieve cached config data. Please try again later.

diff --git a/pub/errors/default/page.phtml b/pub/errors/default/page.phtml deleted file mode 100644 index 2a40b5b0895fd..0000000000000 --- a/pub/errors/default/page.phtml +++ /dev/null @@ -1,23 +0,0 @@ - - - - - <?php echo $this->pageTitle?> - - - - - - - - -
- -
- - diff --git a/pub/errors/default/report.phtml b/pub/errors/default/report.phtml deleted file mode 100644 index 325ff8db8d6e1..0000000000000 --- a/pub/errors/default/report.phtml +++ /dev/null @@ -1,78 +0,0 @@ - - -

There has been an error processing your request

-showSentMsg): ?> -
-
Your message was submitted and will be responded as soon as possible. Thank you for reporting.
-
- -showSendForm): ?> -
-
- We are currently experiencing some technical issues. We apologize for the inconvenience and will contact you shortly to resolve the issue. To help us serve you please fill in the form below. -
-
- showErrorMsg): ?> -
-
- Please fill all required fields with valid information -
-
- -
getBaseUrl(true)}errors/report.php?id={$this->reportId}" ?>" method="post" id="form-validate" class="form"> -
- Personal Information
-
- -
- -
-
-
- -
- -
-
- -
- -
- -
-
-
- -
- -
-
-
-
- -
-
-reportAction): ?> -

Exception printing is disabled by default for security reasons.

- - -reportAction == 'print'): ?> -
-
-
reportData[0]) ?>
-
-
- -reportId): ?> -

Error log record number: reportId ?>

- diff --git a/pub/errors/design.xml b/pub/errors/design.xml deleted file mode 100644 index 8fb98196ce4e4..0000000000000 --- a/pub/errors/design.xml +++ /dev/null @@ -1,10 +0,0 @@ - - - - default - diff --git a/pub/errors/local.xml.sample b/pub/errors/local.xml.sample deleted file mode 100644 index 427ff33345101..0000000000000 --- a/pub/errors/local.xml.sample +++ /dev/null @@ -1,31 +0,0 @@ - - - - default - - - print - - Store Debug Information - - - - leave - - diff --git a/pub/errors/noCache.php b/pub/errors/noCache.php deleted file mode 100644 index a6ad467d929c0..0000000000000 --- a/pub/errors/noCache.php +++ /dev/null @@ -1,12 +0,0 @@ -createProcessor(); -$response = $processor->processNoCache(); -$response->sendResponse(); diff --git a/pub/errors/processor.php b/pub/errors/processor.php deleted file mode 100644 index 81b797f62f310..0000000000000 --- a/pub/errors/processor.php +++ /dev/null @@ -1,596 +0,0 @@ -_response = $response; - $this->_errorDir = __DIR__ . '/'; - $this->_reportDir = dirname(dirname($this->_errorDir)) . '/var/report/'; - - if (!empty($_SERVER['SCRIPT_NAME'])) { - if (in_array(basename($_SERVER['SCRIPT_NAME'], '.php'), ['404', '503', 'report'])) { - $this->_scriptName = dirname($_SERVER['SCRIPT_NAME']); - } else { - $this->_scriptName = $_SERVER['SCRIPT_NAME']; - } - } - - $reportId = (isset($_GET['id'])) ? (int)$_GET['id'] : null; - if ($reportId) { - $this->loadReport($reportId); - } - - $this->_indexDir = $this->_getIndexDir(); - $this->_root = is_dir($this->_indexDir . 'app'); - - $this->_prepareConfig(); - if (isset($_GET['skin'])) { - $this->_setSkin($_GET['skin']); - } - } - - /** - * Process no cache error - * - * @return \Magento\Framework\App\Response\Http - */ - public function processNoCache() - { - $this->pageTitle = 'Error : cached config data is unavailable'; - $this->_response->setBody($this->_renderPage('nocache.phtml')); - return $this->_response; - } - - /** - * Process 404 error - * - * @return \Magento\Framework\App\Response\Http - */ - public function process404() - { - $this->pageTitle = 'Error 404: Not Found'; - $this->_response->setHttpResponseCode(404); - $this->_response->setBody($this->_renderPage('404.phtml')); - return $this->_response; - } - - /** - * Process 503 error - * - * @return \Magento\Framework\App\Response\Http - */ - public function process503() - { - $this->pageTitle = 'Error 503: Service Unavailable'; - $this->_response->setHttpResponseCode(503); - $this->_response->setBody($this->_renderPage('503.phtml')); - return $this->_response; - } - - /** - * Process report - * - * @return \Magento\Framework\App\Response\Http - */ - public function processReport() - { - $this->pageTitle = 'There has been an error processing your request'; - $this->_response->setHttpResponseCode(503); - - $this->showErrorMsg = false; - $this->showSentMsg = false; - $this->showSendForm = false; - $this->reportAction = $this->_config->action; - $this->_setReportUrl(); - - if ($this->reportAction == 'email') { - $this->showSendForm = true; - $this->sendReport(); - } - $this->_response->setBody($this->_renderPage('report.phtml')); - return $this->_response; - } - - /** - * Retrieve skin URL - * - * @return string - */ - public function getViewFileUrl() - { - //The url needs to be updated base on Document root path. - return $this->getBaseUrl() . - str_replace( - str_replace('\\', '/', $this->_indexDir), - '', - str_replace('\\', '/', $this->_errorDir) - ) . $this->_config->skin . '/'; - } - - /** - * Retrieve base host URL without path - * - * @return string - */ - public function getHostUrl() - { - /** - * Define server http host - */ - if (!empty($_SERVER['HTTP_HOST'])) { - $host = $_SERVER['HTTP_HOST']; - } elseif (!empty($_SERVER['SERVER_NAME'])) { - $host = $_SERVER['SERVER_NAME']; - } else { - $host = 'localhost'; - } - - $isSecure = (!empty($_SERVER['HTTPS'])) && ($_SERVER['HTTPS'] != 'off'); - $url = ($isSecure ? 'https://' : 'http://') . $host; - - if (!empty($_SERVER['SERVER_PORT']) && !in_array($_SERVER['SERVER_PORT'], [80, 433]) - && !preg_match('/.*?\:[0-9]+$/', $url) - ) { - $url .= ':' . $_SERVER['SERVER_PORT']; - } - return $url; - } - - /** - * Retrieve base URL - * - * @param bool $param - * @return string - */ - public function getBaseUrl($param = false) - { - $path = $this->_scriptName; - - if ($param && !$this->_root) { - $path = dirname($path); - } - - $basePath = str_replace('\\', '/', dirname($path)); - return $this->getHostUrl() . ('/' == $basePath ? '' : $basePath) . '/'; - } - - /** - * Retrieve client IP address - * - * @return string - */ - protected function _getClientIp() - { - return (isset($_SERVER['REMOTE_ADDR'])) ? $_SERVER['REMOTE_ADDR'] : 'undefined'; - } - - /** - * Get index dir - * - * @return string - */ - protected function _getIndexDir() - { - $documentRoot = ''; - if (!empty($_SERVER['DOCUMENT_ROOT'])) { - $documentRoot = rtrim($_SERVER['DOCUMENT_ROOT'], '/'); - } - return dirname($documentRoot . $this->_scriptName) . '/'; - } - - /** - * Prepare config data - * - * @return void - */ - protected function _prepareConfig() - { - $local = $this->_loadXml(self::MAGE_ERRORS_LOCAL_XML); - $design = $this->_loadXml(self::MAGE_ERRORS_DESIGN_XML); - - //initial settings - $config = new \stdClass(); - $config->action = ''; - $config->subject = 'Store Debug Information'; - $config->email_address = ''; - $config->trash = 'leave'; - $config->skin = self::DEFAULT_SKIN; - - //combine xml data to one object - if (!is_null($design) && (string)$design->skin) { - $this->_setSkin((string)$design->skin, $config); - } - if (!is_null($local)) { - if ((string)$local->report->action) { - $config->action = $local->report->action; - } - if ((string)$local->report->subject) { - $config->subject = $local->report->subject; - } - if ((string)$local->report->email_address) { - $config->email_address = $local->report->email_address; - } - if ((string)$local->report->trash) { - $config->trash = $local->report->trash; - } - if ((string)$local->skin) { - $this->_setSkin((string)$local->skin, $config); - } - } - if ((string)$config->email_address == '' && (string)$config->action == 'email') { - $config->action = ''; - } - - $this->_config = $config; - } - - /** - * Load xml file - * - * @param string $xmlFile - * @return SimpleXMLElement - */ - protected function _loadXml($xmlFile) - { - $configPath = $this->_getFilePath($xmlFile); - return ($configPath) ? simplexml_load_file($configPath) : null; - } - - /** - * @param string $template - * @return string - */ - protected function _renderPage($template) - { - $baseTemplate = $this->_getTemplatePath('page.phtml'); - $contentTemplate = $this->_getTemplatePath($template); - - $html = ''; - if ($baseTemplate && $contentTemplate) { - ob_start(); - require_once $baseTemplate; - $html = ob_get_clean(); - } - return $html; - } - - /** - * Find file path - * - * @param string $file - * @param array $directories - * @return string - */ - protected function _getFilePath($file, $directories = null) - { - if (is_null($directories)) { - $directories[] = $this->_errorDir; - } - - foreach ($directories as $directory) { - if (file_exists($directory . $file)) { - return $directory . $file; - } - } - } - - /** - * Find template path - * - * @param string $template - * @return string - */ - protected function _getTemplatePath($template) - { - $directories[] = $this->_errorDir . $this->_config->skin . '/'; - - if ($this->_config->skin != self::DEFAULT_SKIN) { - $directories[] = $this->_errorDir . self::DEFAULT_SKIN . '/'; - } - - return $this->_getFilePath($template, $directories); - } - - /** - * Set report data - * - * @param array $reportData - * @return void - */ - protected function _setReportData($reportData) - { - $this->reportData = $reportData; - - if (!isset($reportData['url'])) { - $this->reportData['url'] = ''; - } else { - $this->reportData['url'] = $this->getHostUrl() . $reportData['url']; - } - - if ($this->reportData['script_name']) { - $this->_scriptName = $this->reportData['script_name']; - } - } - - /** - * Create report - * - * @param array $reportData - * @return void - */ - public function saveReport($reportData) - { - $this->reportData = $reportData; - $this->reportId = abs(intval(microtime(true) * rand(100, 1000))); - $this->_reportFile = $this->_reportDir . '/' . $this->reportId; - $this->_setReportData($reportData); - - if (!file_exists($this->_reportDir)) { - @mkdir($this->_reportDir, DriverInterface::WRITEABLE_DIRECTORY_MODE, true); - } - - @file_put_contents($this->_reportFile, serialize($reportData)); - @chmod($this->_reportFile, DriverInterface::WRITEABLE_FILE_MODE); - - if (isset($reportData['skin']) && self::DEFAULT_SKIN != $reportData['skin']) { - $this->_setSkin($reportData['skin']); - } - $this->_setReportUrl(); - - if (headers_sent()) { - echo ''; - exit; - } - } - - /** - * Get report - * - * @param int $reportId - * @return void - */ - public function loadReport($reportId) - { - $this->reportId = $reportId; - $this->_reportFile = $this->_reportDir . '/' . $reportId; - - if (!file_exists($this->_reportFile) || !is_readable($this->_reportFile)) { - header("Location: " . $this->getBaseUrl()); - die(); - } - $this->_setReportData(unserialize(file_get_contents($this->_reportFile))); - } - - /** - * Send report - * - * @return void - */ - public function sendReport() - { - $this->pageTitle = 'Error Submission Form'; - - $this->postData['firstName'] = (isset($_POST['firstname'])) ? trim(htmlspecialchars($_POST['firstname'])) : ''; - $this->postData['lastName'] = (isset($_POST['lastname'])) ? trim(htmlspecialchars($_POST['lastname'])) : ''; - $this->postData['email'] = (isset($_POST['email'])) ? trim(htmlspecialchars($_POST['email'])) : ''; - $this->postData['telephone'] = (isset($_POST['telephone'])) ? trim(htmlspecialchars($_POST['telephone'])) : ''; - $this->postData['comment'] = (isset($_POST['comment'])) ? trim(htmlspecialchars($_POST['comment'])) : ''; - - if (isset($_POST['submit'])) { - if ($this->_validate()) { - $msg = "URL: {$this->reportData['url']}\n" - . "IP Address: {$this->_getClientIp()}\n" - . "First Name: {$this->postData['firstName']}\n" - . "Last Name: {$this->postData['lastName']}\n" - . "Email Address: {$this->postData['email']}\n"; - if ($this->postData['telephone']) { - $msg .= "Telephone: {$this->postData['telephone']}\n"; - } - if ($this->postData['comment']) { - $msg .= "Comment: {$this->postData['comment']}\n"; - } - - $subject = sprintf('%s [%s]', (string)$this->_config->subject, $this->reportId); - @mail((string)$this->_config->email_address, $subject, $msg); - - $this->showSendForm = false; - $this->showSentMsg = true; - } else { - $this->showErrorMsg = true; - } - } else { - $time = gmdate('Y-m-d H:i:s \G\M\T'); - - $msg = "URL: {$this->reportData['url']}\n" - . "IP Address: {$this->_getClientIp()}\n" - . "Time: {$time}\n" - . "Error:\n{$this->reportData[0]}\n\n" - . "Trace:\n{$this->reportData[1]}"; - - $subject = sprintf('%s [%s]', (string)$this->_config->subject, $this->reportId); - @mail((string)$this->_config->email_address, $subject, $msg); - - if ($this->_config->trash == 'delete') { - @unlink($this->_reportFile); - } - } - } - - /** - * Validate submitted post data - * - * @return bool - */ - protected function _validate() - { - $email = preg_match( - '/^[_a-z0-9-]+(\.[_a-z0-9-]+)*@[a-z0-9-]+(\.[a-z0-9-]+)*(\.[a-z]{2,3})$/', - $this->postData['email'] - ); - return ($this->postData['firstName'] && $this->postData['lastName'] && $email); - } - - /** - * Skin setter - * - * @param string $value - * @param \stdClass $config - * @return void - */ - protected function _setSkin($value, \stdClass $config = null) - { - if (preg_match('/^[a-z0-9_]+$/i', $value) && is_dir($this->_indexDir . self::ERROR_DIR . '/' . $value)) { - if (!$config) { - if ($this->_config) { - $config = $this->_config; - } - } - if ($config) { - $config->skin = $value; - } - } - } - - /** - * Set current report URL from current params - * - * @return void - */ - protected function _setReportUrl() - { - if ($this->reportId && $this->_config && isset($this->_config->skin)) { - $this->reportUrl = "{$this->getBaseUrl(true)}pub/errors/report.php?" - . http_build_query(['id' => $this->reportId, 'skin' => $this->_config->skin]); - } - } -} diff --git a/pub/errors/processorFactory.php b/pub/errors/processorFactory.php deleted file mode 100644 index f185cd1247933..0000000000000 --- a/pub/errors/processorFactory.php +++ /dev/null @@ -1,28 +0,0 @@ -create($_SERVER); - $response = $objectManager->create('Magento\Framework\App\Response\Http'); - return new Processor($response); - } -} diff --git a/pub/errors/report.php b/pub/errors/report.php deleted file mode 100644 index 1ea8da23114c8..0000000000000 --- a/pub/errors/report.php +++ /dev/null @@ -1,15 +0,0 @@ -createProcessor(); -if (isset($reportData) && is_array($reportData)) { - $processor->saveReport($reportData); -} -$response = $processor->processReport(); -$response->sendResponse(); diff --git a/pub/media/customer/.htaccess b/pub/media/customer/.htaccess deleted file mode 100644 index 93169e4eb44ff..0000000000000 --- a/pub/media/customer/.htaccess +++ /dev/null @@ -1,2 +0,0 @@ -Order deny,allow -Deny from all diff --git a/pub/media/downloadable/.htaccess b/pub/media/downloadable/.htaccess deleted file mode 100644 index 93169e4eb44ff..0000000000000 --- a/pub/media/downloadable/.htaccess +++ /dev/null @@ -1,2 +0,0 @@ -Order deny,allow -Deny from all diff --git a/pub/media/import/.htaccess b/pub/media/import/.htaccess deleted file mode 100644 index 93169e4eb44ff..0000000000000 --- a/pub/media/import/.htaccess +++ /dev/null @@ -1,2 +0,0 @@ -Order deny,allow -Deny from all diff --git a/pub/media/theme_customization/.htaccess b/pub/media/theme_customization/.htaccess deleted file mode 100644 index aaf15ab571ebf..0000000000000 --- a/pub/media/theme_customization/.htaccess +++ /dev/null @@ -1,5 +0,0 @@ -Options All -Indexes - - Order allow,deny - Deny from all - diff --git a/pub/opt/magento/var/resource_config.json b/pub/opt/magento/var/resource_config.json deleted file mode 100644 index 21d66450ee619..0000000000000 --- a/pub/opt/magento/var/resource_config.json +++ /dev/null @@ -1 +0,0 @@ -{"media_directory":"\/opt\/magento\/pub\/media","allowed_resources":["css","css_secure","js","theme","favicon","wysiwyg","catalog","custom_options","email","captcha","dhl"],"update_time":"3600"} \ No newline at end of file From 5a793ccc4d6ef3db4ce2d70399ffcefdaa98d657 Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Mon, 26 Oct 2015 15:12:05 -0500 Subject: [PATCH 06/27] MAGETWO-44235: Error when trying to assign a store from one website to another - There was a dead end in the code. With this change, the user is redirected to the default store which would reset his cookies to that store. --- app/code/Magento/Store/Model/StoreResolver.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/code/Magento/Store/Model/StoreResolver.php b/app/code/Magento/Store/Model/StoreResolver.php index 1f37a8611a277..f609e271ffd6c 100644 --- a/app/code/Magento/Store/Model/StoreResolver.php +++ b/app/code/Magento/Store/Model/StoreResolver.php @@ -88,7 +88,7 @@ public function getCurrentStoreId() } if (!in_array($store->getId(), $stores)) { - throw new NoSuchEntityException(__('Requested scope cannot be loaded')); + $store = $this->getDefaultStoreById($defaultStoreId); } } else { $store = $this->getDefaultStoreById($defaultStoreId); From 2c3e6ff417922a2fd9aaf70c1729f90d9e8fbd0a Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Tue, 27 Oct 2015 23:02:20 -0500 Subject: [PATCH 07/27] MAGETWO-44459: Check javascript function calls and labels are translatable - added missing translation phrases to i18n files - updated javascript translations --- app/code/Magento/Backend/i18n/de_DE.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/en_US.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/es_ES.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/fr_FR.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/nl_NL.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/pt_BR.csv | 23 ++++++++++ app/code/Magento/Backend/i18n/zh_Hans_CN.csv | 23 ++++++++++ app/code/Magento/Backup/i18n/de_DE.csv | 3 ++ app/code/Magento/Backup/i18n/en_US.csv | 3 ++ app/code/Magento/Backup/i18n/es_ES.csv | 3 ++ app/code/Magento/Backup/i18n/fr_FR.csv | 3 ++ app/code/Magento/Backup/i18n/nl_NL.csv | 3 ++ app/code/Magento/Backup/i18n/pt_BR.csv | 3 ++ app/code/Magento/Backup/i18n/zh_Hans_CN.csv | 3 ++ app/code/Magento/Captcha/i18n/de_DE.csv | 1 + app/code/Magento/Captcha/i18n/en_US.csv | 1 + app/code/Magento/Captcha/i18n/es_ES.csv | 1 + app/code/Magento/Captcha/i18n/fr_FR.csv | 1 + app/code/Magento/Captcha/i18n/nl_NL.csv | 1 + app/code/Magento/Captcha/i18n/pt_BR.csv | 1 + app/code/Magento/Captcha/i18n/zh_Hans_CN.csv | 1 + app/code/Magento/Catalog/i18n/de_DE.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/en_US.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/es_ES.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/fr_FR.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/nl_NL.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/pt_BR.csv | 45 ++++++++++++++++++- app/code/Magento/Catalog/i18n/zh_Hans_CN.csv | 45 ++++++++++++++++++- .../templates/catalog/wysiwyg/js.phtml | 6 +-- .../web/catalog/product-attributes.js | 2 +- .../Magento/CatalogInventory/i18n/de_DE.csv | 2 + .../Magento/CatalogInventory/i18n/en_US.csv | 2 + .../Magento/CatalogInventory/i18n/es_ES.csv | 2 + .../Magento/CatalogInventory/i18n/fr_FR.csv | 2 + .../Magento/CatalogInventory/i18n/nl_NL.csv | 2 + .../Magento/CatalogInventory/i18n/pt_BR.csv | 2 + .../CatalogInventory/i18n/zh_Hans_CN.csv | 2 + app/code/Magento/CatalogRule/i18n/de_DE.csv | 2 + app/code/Magento/CatalogRule/i18n/en_US.csv | 2 + app/code/Magento/CatalogRule/i18n/es_ES.csv | 2 + app/code/Magento/CatalogRule/i18n/fr_FR.csv | 2 + app/code/Magento/CatalogRule/i18n/nl_NL.csv | 2 + app/code/Magento/CatalogRule/i18n/pt_BR.csv | 2 + .../Magento/CatalogRule/i18n/zh_Hans_CN.csv | 2 + .../ConfigurableProduct/i18n/de_DE.csv | 1 + .../ConfigurableProduct/i18n/en_US.csv | 1 + .../ConfigurableProduct/i18n/es_ES.csv | 1 + .../ConfigurableProduct/i18n/fr_FR.csv | 1 + .../ConfigurableProduct/i18n/nl_NL.csv | 1 + .../ConfigurableProduct/i18n/pt_BR.csv | 1 + .../ConfigurableProduct/i18n/zh_Hans_CN.csv | 1 + app/code/Magento/Customer/i18n/de_DE.csv | 12 +++++ app/code/Magento/Customer/i18n/en_US.csv | 12 +++++ app/code/Magento/Customer/i18n/es_ES.csv | 12 +++++ app/code/Magento/Customer/i18n/fr_FR.csv | 12 +++++ app/code/Magento/Customer/i18n/nl_NL.csv | 12 +++++ app/code/Magento/Customer/i18n/pt_BR.csv | 12 +++++ app/code/Magento/Customer/i18n/zh_Hans_CN.csv | 12 +++++ app/code/Magento/Developer/i18n/de_DE.csv | 5 +++ app/code/Magento/Developer/i18n/en_US.csv | 5 +++ app/code/Magento/Developer/i18n/es_ES.csv | 5 +++ app/code/Magento/Developer/i18n/fr_FR.csv | 5 +++ app/code/Magento/Developer/i18n/nl_NL.csv | 5 +++ app/code/Magento/Developer/i18n/pt_BR.csv | 5 +++ .../Magento/Developer/i18n/zh_Hans_CN.csv | 5 +++ app/code/Magento/Eav/i18n/de_DE.csv | 1 + app/code/Magento/Eav/i18n/en_US.csv | 1 + app/code/Magento/Eav/i18n/es_ES.csv | 1 + app/code/Magento/Eav/i18n/fr_FR.csv | 1 + app/code/Magento/Eav/i18n/nl_NL.csv | 1 + app/code/Magento/Eav/i18n/pt_BR.csv | 1 + app/code/Magento/Eav/i18n/zh_Hans_CN.csv | 1 + app/code/Magento/ImportExport/i18n/de_DE.csv | 4 ++ app/code/Magento/ImportExport/i18n/en_US.csv | 4 ++ app/code/Magento/ImportExport/i18n/es_ES.csv | 4 ++ app/code/Magento/ImportExport/i18n/fr_FR.csv | 4 ++ app/code/Magento/ImportExport/i18n/nl_NL.csv | 4 ++ app/code/Magento/ImportExport/i18n/pt_BR.csv | 4 ++ .../Magento/ImportExport/i18n/zh_Hans_CN.csv | 4 ++ app/code/Magento/Integration/i18n/de_DE.csv | 5 +++ app/code/Magento/Integration/i18n/en_US.csv | 5 +++ app/code/Magento/Integration/i18n/es_ES.csv | 5 +++ app/code/Magento/Integration/i18n/fr_FR.csv | 5 +++ app/code/Magento/Integration/i18n/nl_NL.csv | 5 +++ app/code/Magento/Integration/i18n/pt_BR.csv | 5 +++ .../Magento/Integration/i18n/zh_Hans_CN.csv | 5 +++ app/code/Magento/Msrp/i18n/de_DE.csv | 2 + app/code/Magento/Msrp/i18n/en_US.csv | 2 + app/code/Magento/Msrp/i18n/es_ES.csv | 2 + app/code/Magento/Msrp/i18n/fr_FR.csv | 2 + app/code/Magento/Msrp/i18n/nl_NL.csv | 2 + app/code/Magento/Msrp/i18n/pt_BR.csv | 2 + app/code/Magento/Msrp/i18n/zh_Hans_CN.csv | 2 + app/code/Magento/Paypal/i18n/de_DE.csv | 1 + app/code/Magento/Paypal/i18n/en_US.csv | 1 + app/code/Magento/Paypal/i18n/es_ES.csv | 1 + app/code/Magento/Paypal/i18n/fr_FR.csv | 1 + app/code/Magento/Paypal/i18n/nl_NL.csv | 1 + app/code/Magento/Paypal/i18n/pt_BR.csv | 1 + app/code/Magento/Paypal/i18n/zh_Hans_CN.csv | 1 + .../Block/Adminhtml/Product/Edit/NewVideo.php | 6 +-- app/code/Magento/ProductVideo/i18n/de_DE.csv | 9 ++++ app/code/Magento/ProductVideo/i18n/en_US.csv | 9 ++++ app/code/Magento/ProductVideo/i18n/es_ES.csv | 9 ++++ app/code/Magento/ProductVideo/i18n/fr_FR.csv | 9 ++++ app/code/Magento/ProductVideo/i18n/nl_NL.csv | 9 ++++ app/code/Magento/ProductVideo/i18n/pt_BR.csv | 9 ++++ .../Magento/ProductVideo/i18n/zh_Hans_CN.csv | 9 ++++ .../adminhtml/web/js/get-video-information.js | 15 +++---- .../view/adminhtml/web/js/new-video-dialog.js | 2 +- app/code/Magento/Reports/i18n/de_DE.csv | 2 + app/code/Magento/Reports/i18n/en_US.csv | 2 + app/code/Magento/Reports/i18n/es_ES.csv | 2 + app/code/Magento/Reports/i18n/fr_FR.csv | 2 + app/code/Magento/Reports/i18n/nl_NL.csv | 2 + app/code/Magento/Reports/i18n/pt_BR.csv | 2 + app/code/Magento/Reports/i18n/zh_Hans_CN.csv | 2 + app/code/Magento/Sales/i18n/de_DE.csv | 8 ++++ app/code/Magento/Sales/i18n/en_US.csv | 8 ++++ app/code/Magento/Sales/i18n/es_ES.csv | 8 ++++ app/code/Magento/Sales/i18n/fr_FR.csv | 8 ++++ app/code/Magento/Sales/i18n/nl_NL.csv | 8 ++++ app/code/Magento/Sales/i18n/pt_BR.csv | 8 ++++ app/code/Magento/Sales/i18n/zh_Hans_CN.csv | 8 ++++ app/code/Magento/Search/i18n/de_DE.csv | 1 + app/code/Magento/Search/i18n/en_US.csv | 1 + app/code/Magento/Search/i18n/es_ES.csv | 1 + app/code/Magento/Search/i18n/fr_FR.csv | 1 + app/code/Magento/Search/i18n/nl_NL.csv | 1 + app/code/Magento/Search/i18n/pt_BR.csv | 1 + app/code/Magento/Search/i18n/zh_Hans_CN.csv | 1 + app/code/Magento/Shipping/i18n/de_DE.csv | 2 + app/code/Magento/Shipping/i18n/en_US.csv | 2 + app/code/Magento/Shipping/i18n/es_ES.csv | 2 + app/code/Magento/Shipping/i18n/fr_FR.csv | 2 + app/code/Magento/Shipping/i18n/nl_NL.csv | 2 + app/code/Magento/Shipping/i18n/pt_BR.csv | 2 + app/code/Magento/Shipping/i18n/zh_Hans_CN.csv | 2 + app/code/Magento/Swatches/i18n/de_DE.csv | 2 + app/code/Magento/Swatches/i18n/en_US.csv | 3 +- app/code/Magento/Swatches/i18n/es_ES.csv | 2 + app/code/Magento/Swatches/i18n/fr_FR.csv | 2 + app/code/Magento/Swatches/i18n/nl_NL.csv | 2 + app/code/Magento/Swatches/i18n/pt_BR.csv | 2 + app/code/Magento/Swatches/i18n/zh_Hans_CN.csv | 2 + app/code/Magento/Tax/i18n/de_DE.csv | 1 + app/code/Magento/Tax/i18n/en_US.csv | 1 + app/code/Magento/Tax/i18n/es_ES.csv | 1 + app/code/Magento/Tax/i18n/fr_FR.csv | 1 + app/code/Magento/Tax/i18n/nl_NL.csv | 1 + app/code/Magento/Tax/i18n/pt_BR.csv | 1 + app/code/Magento/Tax/i18n/zh_Hans_CN.csv | 1 + .../adminhtml/templates/importExport.phtml | 4 +- app/code/Magento/Translation/i18n/de_DE.csv | 4 ++ app/code/Magento/Translation/i18n/en_US.csv | 4 ++ app/code/Magento/Translation/i18n/es_ES.csv | 4 ++ app/code/Magento/Translation/i18n/fr_FR.csv | 4 ++ app/code/Magento/Translation/i18n/nl_NL.csv | 4 ++ app/code/Magento/Translation/i18n/pt_BR.csv | 4 ++ .../Magento/Translation/i18n/zh_Hans_CN.csv | 4 ++ app/code/Magento/Ui/i18n/de_DE.csv | 4 ++ app/code/Magento/Ui/i18n/en_US.csv | 4 ++ app/code/Magento/Ui/i18n/es_ES.csv | 4 ++ app/code/Magento/Ui/i18n/fr_FR.csv | 4 ++ app/code/Magento/Ui/i18n/nl_NL.csv | 4 ++ app/code/Magento/Ui/i18n/pt_BR.csv | 4 ++ app/code/Magento/Ui/i18n/zh_Hans_CN.csv | 4 ++ app/code/Magento/UrlRewrite/i18n/de_DE.csv | 1 + app/code/Magento/UrlRewrite/i18n/en_US.csv | 1 + app/code/Magento/UrlRewrite/i18n/es_ES.csv | 1 + app/code/Magento/UrlRewrite/i18n/fr_FR.csv | 1 + app/code/Magento/UrlRewrite/i18n/nl_NL.csv | 1 + app/code/Magento/UrlRewrite/i18n/pt_BR.csv | 1 + .../Magento/UrlRewrite/i18n/zh_Hans_CN.csv | 1 + lib/web/jquery/fileUploader/main.js | 2 +- lib/web/jquery/jquery.details.js | 2 +- 176 files changed, 999 insertions(+), 28 deletions(-) create mode 100644 app/code/Magento/Developer/i18n/de_DE.csv create mode 100644 app/code/Magento/Developer/i18n/es_ES.csv create mode 100644 app/code/Magento/Developer/i18n/fr_FR.csv create mode 100644 app/code/Magento/Developer/i18n/nl_NL.csv create mode 100644 app/code/Magento/Developer/i18n/pt_BR.csv create mode 100644 app/code/Magento/Developer/i18n/zh_Hans_CN.csv create mode 100644 app/code/Magento/Msrp/i18n/de_DE.csv create mode 100644 app/code/Magento/Msrp/i18n/es_ES.csv create mode 100644 app/code/Magento/Msrp/i18n/fr_FR.csv create mode 100644 app/code/Magento/Msrp/i18n/nl_NL.csv create mode 100644 app/code/Magento/Msrp/i18n/pt_BR.csv create mode 100644 app/code/Magento/Msrp/i18n/zh_Hans_CN.csv create mode 100644 app/code/Magento/ProductVideo/i18n/de_DE.csv create mode 100644 app/code/Magento/ProductVideo/i18n/en_US.csv create mode 100644 app/code/Magento/ProductVideo/i18n/es_ES.csv create mode 100644 app/code/Magento/ProductVideo/i18n/fr_FR.csv create mode 100644 app/code/Magento/ProductVideo/i18n/nl_NL.csv create mode 100644 app/code/Magento/ProductVideo/i18n/pt_BR.csv create mode 100644 app/code/Magento/ProductVideo/i18n/zh_Hans_CN.csv create mode 100644 app/code/Magento/Search/i18n/de_DE.csv create mode 100644 app/code/Magento/Search/i18n/es_ES.csv create mode 100644 app/code/Magento/Search/i18n/fr_FR.csv create mode 100644 app/code/Magento/Search/i18n/nl_NL.csv create mode 100644 app/code/Magento/Search/i18n/pt_BR.csv create mode 100644 app/code/Magento/Search/i18n/zh_Hans_CN.csv create mode 100644 app/code/Magento/Swatches/i18n/de_DE.csv create mode 100644 app/code/Magento/Swatches/i18n/es_ES.csv create mode 100644 app/code/Magento/Swatches/i18n/fr_FR.csv create mode 100644 app/code/Magento/Swatches/i18n/nl_NL.csv create mode 100644 app/code/Magento/Swatches/i18n/pt_BR.csv create mode 100644 app/code/Magento/Swatches/i18n/zh_Hans_CN.csv create mode 100644 app/code/Magento/Ui/i18n/de_DE.csv create mode 100644 app/code/Magento/Ui/i18n/es_ES.csv create mode 100644 app/code/Magento/Ui/i18n/fr_FR.csv create mode 100644 app/code/Magento/Ui/i18n/nl_NL.csv create mode 100644 app/code/Magento/Ui/i18n/pt_BR.csv create mode 100644 app/code/Magento/Ui/i18n/zh_Hans_CN.csv diff --git a/app/code/Magento/Backend/i18n/de_DE.csv b/app/code/Magento/Backend/i18n/de_DE.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/de_DE.csv +++ b/app/code/Magento/Backend/i18n/de_DE.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/en_US.csv b/app/code/Magento/Backend/i18n/en_US.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/en_US.csv +++ b/app/code/Magento/Backend/i18n/en_US.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/es_ES.csv b/app/code/Magento/Backend/i18n/es_ES.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/es_ES.csv +++ b/app/code/Magento/Backend/i18n/es_ES.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/fr_FR.csv b/app/code/Magento/Backend/i18n/fr_FR.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/fr_FR.csv +++ b/app/code/Magento/Backend/i18n/fr_FR.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/nl_NL.csv b/app/code/Magento/Backend/i18n/nl_NL.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/nl_NL.csv +++ b/app/code/Magento/Backend/i18n/nl_NL.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/pt_BR.csv b/app/code/Magento/Backend/i18n/pt_BR.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/pt_BR.csv +++ b/app/code/Magento/Backend/i18n/pt_BR.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv b/app/code/Magento/Backend/i18n/zh_Hans_CN.csv index a21995b64a655..685b8ef29f65a 100644 --- a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Backend/i18n/zh_Hans_CN.csv @@ -615,3 +615,26 @@ Communications,Communications Extensions,Extensions "Web Setup Wizard","Web Setup Wizard" "VAT number","VAT number" +"Top destinations","Top destinations" +"Store Hours of Operation","Store Hours of Operation" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. http://example.com/magento/" +"Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/","Any of the fields allow fully qualified URLs that end with '/' (slash) e.g. https://example.com/magento/" +"Use Secure URLs on Storefront","Use Secure URLs on Storefront" +"Use SID on Storefront","Use SID on Storefront" +"Email template chosen based on theme fallback when ""Default"" option is selected.","Email template chosen based on theme fallback when ""Default"" option is selected." +"For Windows server only.","For Windows server only." +"Enabled Template Path Hints for Storefront","Enabled Template Path Hints for Storefront" +"Enabled Template Path Hints for Admin","Enabled Template Path Hints for Admin" +"Minify Html","Minify Html" +"Enabled for Storefront","Enabled for Storefront" +"Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations.", "Translate, blocks and other output caches should be disabled for both Storefront and Admin inline translations." +"Enable Javascript Bundling","Enable Javascript Bundling" +"Minify CSS Files","Minify CSS Files" +"When the adapter was changed, please, flush Catalog Images Cache.","When the adapter was changed, please, flush Catalog Images Cache." +"Average Order","Average Order" +"Last Orders","Last Orders" +"Last Search Terms","Last Search Terms" +"Top Search Terms","Top Search Terms" +"Reload Data","Reload Data" +"Welcome, please sign in","Welcome, please sign in" +"Sign in","Sign in" diff --git a/app/code/Magento/Backup/i18n/de_DE.csv b/app/code/Magento/Backup/i18n/de_DE.csv index d06f30000fbf2..e2c99b5aadeb4 100644 --- a/app/code/Magento/Backup/i18n/de_DE.csv +++ b/app/code/Magento/Backup/i18n/de_DE.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","Sind Sie sicher, dass Sie die ausgewählten Sicherungskopie(n) löschen wollen?" Size(bytes),Size(bytes) Rollback,Rollback +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/en_US.csv b/app/code/Magento/Backup/i18n/en_US.csv index 7d05a45a6494b..03be8da7ef6a8 100644 --- a/app/code/Magento/Backup/i18n/en_US.csv +++ b/app/code/Magento/Backup/i18n/en_US.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","Are you sure you want to delete the selected backup(s)?" Size(bytes),Size(bytes) Rollback,Rollback +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/es_ES.csv b/app/code/Magento/Backup/i18n/es_ES.csv index 62086f4e01491..acf974a85d92d 100644 --- a/app/code/Magento/Backup/i18n/es_ES.csv +++ b/app/code/Magento/Backup/i18n/es_ES.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","¿Seguro que desea eliminar las copias de seguridad seleccionadas?" Size(bytes),Size(bytes) Rollback,Revertir +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/fr_FR.csv b/app/code/Magento/Backup/i18n/fr_FR.csv index 9a383f775e52a..453945c13776e 100644 --- a/app/code/Magento/Backup/i18n/fr_FR.csv +++ b/app/code/Magento/Backup/i18n/fr_FR.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","êtes-vous sûrs de vouloir supprimer la/les copie(s) de sauvegarde sélectionnée(s) ?" Size(bytes),Size(bytes) Rollback,Réduction +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/nl_NL.csv b/app/code/Magento/Backup/i18n/nl_NL.csv index 13950d82df1e6..d8be900313ef6 100644 --- a/app/code/Magento/Backup/i18n/nl_NL.csv +++ b/app/code/Magento/Backup/i18n/nl_NL.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","Weet u zeker dat u de geselecteerde back-up(s) wilt verwijderen?" Size(bytes),Size(bytes) Rollback,Terugrollen +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/pt_BR.csv b/app/code/Magento/Backup/i18n/pt_BR.csv index 48a61b658125f..d37c12ab628b4 100644 --- a/app/code/Magento/Backup/i18n/pt_BR.csv +++ b/app/code/Magento/Backup/i18n/pt_BR.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?","Você tem certeza que quer deletar o(s) backup(s) selecionado(s)?" Size(bytes),Size(bytes) Rollback,Reversão +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Backup/i18n/zh_Hans_CN.csv b/app/code/Magento/Backup/i18n/zh_Hans_CN.csv index 62aeea0861a3a..cfe53fb1389a9 100644 --- a/app/code/Magento/Backup/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Backup/i18n/zh_Hans_CN.csv @@ -79,3 +79,6 @@ Frequency,Frequency "Are you sure you want to delete the selected backup(s)?",你是否确定要删除所选备份? Size(bytes),Size(bytes) Rollback,回滚 +"Maintenance mode","Maintenance mode" +"This may take a few moments.","This may take a few moments." +"Be sure your store is in maintenance mode during backup.","Be sure your store is in maintenance mode during backup." diff --git a/app/code/Magento/Captcha/i18n/de_DE.csv b/app/code/Magento/Captcha/i18n/de_DE.csv index 5cac03fd37660..77cf4fa08875a 100644 --- a/app/code/Magento/Captcha/i18n/de_DE.csv +++ b/app/code/Magento/Captcha/i18n/de_DE.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/en_US.csv b/app/code/Magento/Captcha/i18n/en_US.csv index 7526ae622285d..949b840055a4e 100644 --- a/app/code/Magento/Captcha/i18n/en_US.csv +++ b/app/code/Magento/Captcha/i18n/en_US.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/es_ES.csv b/app/code/Magento/Captcha/i18n/es_ES.csv index 9e15aafa9c949..03fced80d0595 100644 --- a/app/code/Magento/Captcha/i18n/es_ES.csv +++ b/app/code/Magento/Captcha/i18n/es_ES.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/fr_FR.csv b/app/code/Magento/Captcha/i18n/fr_FR.csv index b8772c45a8a43..2690ac41fee0f 100644 --- a/app/code/Magento/Captcha/i18n/fr_FR.csv +++ b/app/code/Magento/Captcha/i18n/fr_FR.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/nl_NL.csv b/app/code/Magento/Captcha/i18n/nl_NL.csv index 53fa5d204b0b0..0200a8c8c3fa6 100644 --- a/app/code/Magento/Captcha/i18n/nl_NL.csv +++ b/app/code/Magento/Captcha/i18n/nl_NL.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/pt_BR.csv b/app/code/Magento/Captcha/i18n/pt_BR.csv index fe52642d1be04..d7783378ab19b 100644 --- a/app/code/Magento/Captcha/i18n/pt_BR.csv +++ b/app/code/Magento/Captcha/i18n/pt_BR.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv b/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv index 2f33c6db96d8c..7bc03b277b784 100644 --- a/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv @@ -25,3 +25,4 @@ Forms,Forms "Case Sensitive","Case Sensitive" "Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" "CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." +"Enable CAPTCHA on Storefront","Enable CAPTCHA on Storefront" diff --git a/app/code/Magento/Catalog/i18n/de_DE.csv b/app/code/Magento/Catalog/i18n/de_DE.csv index 0e4276255751b..5e85643677735 100644 --- a/app/code/Magento/Catalog/i18n/de_DE.csv +++ b/app/code/Magento/Catalog/i18n/de_DE.csv @@ -206,7 +206,7 @@ Cross-sells,Querverkäufe "Notify Low Stock RSS","Lagerbestand RSS" "Change status","Status ändern" "Update Attributes","Merkmale aktualisieren" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/en_US.csv b/app/code/Magento/Catalog/i18n/en_US.csv index 5bc42646236e5..3edfaedfe45d7 100644 --- a/app/code/Magento/Catalog/i18n/en_US.csv +++ b/app/code/Magento/Catalog/i18n/en_US.csv @@ -206,7 +206,7 @@ Cross-sells,Cross-sells "Notify Low Stock RSS","Notify Low Stock RSS" "Change status","Change status" "Update Attributes","Update Attributes" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/es_ES.csv b/app/code/Magento/Catalog/i18n/es_ES.csv index cb2f52cdefaeb..fd3a108a8af70 100644 --- a/app/code/Magento/Catalog/i18n/es_ES.csv +++ b/app/code/Magento/Catalog/i18n/es_ES.csv @@ -206,7 +206,7 @@ Cross-sells,"Ventas cruzadas." "Notify Low Stock RSS","RSS de notificación de bajas cantidades en inventario" "Change status","Cambiar estado" "Update Attributes","Actualizar atributos" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/fr_FR.csv b/app/code/Magento/Catalog/i18n/fr_FR.csv index 8daff276bf59f..c0b0d0e07514a 100644 --- a/app/code/Magento/Catalog/i18n/fr_FR.csv +++ b/app/code/Magento/Catalog/i18n/fr_FR.csv @@ -206,7 +206,7 @@ Cross-sells,"Ventes liées" "Notify Low Stock RSS","Notifier le faible stock dans le RSS" "Change status","Changer le satut" "Update Attributes","Mettre à jour les attributs" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/nl_NL.csv b/app/code/Magento/Catalog/i18n/nl_NL.csv index eeba0aea6ceca..83e6380912dc7 100644 --- a/app/code/Magento/Catalog/i18n/nl_NL.csv +++ b/app/code/Magento/Catalog/i18n/nl_NL.csv @@ -206,7 +206,7 @@ Cross-sells,Cross-sells "Notify Low Stock RSS","Geef Lage Voorraad RSS aan" "Change status","Verander status" "Update Attributes","Update Attributen" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/pt_BR.csv b/app/code/Magento/Catalog/i18n/pt_BR.csv index 0378ebe5de373..6df2ebb5d040a 100644 --- a/app/code/Magento/Catalog/i18n/pt_BR.csv +++ b/app/code/Magento/Catalog/i18n/pt_BR.csv @@ -206,7 +206,7 @@ Cross-sells,"Vendas Cruzadas" "Notify Low Stock RSS","Notificar RSS de Estoque Baixo" "Change status","Alterar status" "Update Attributes","Atualização de Atributos" -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv b/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv index 767d41c894ada..dff1ef0f1b385 100644 --- a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv @@ -206,7 +206,7 @@ Cross-sells,交叉销售 "Notify Low Stock RSS",存货不足RSS通知 "Change status",更改状态 "Update Attributes",更新属性 -"Click here or drag and drop to add images","Click here or drag and drop to add images" +"Click here or drag and drop to add images.","Click here or drag and drop to add images." "Delete image","Delete image" "Make Base","Make Base" Hidden,Hidden @@ -635,3 +635,46 @@ Overview,Overview "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Product Details","Product Details" Configurations,Configurations +"Show / Hide Editor","Show / Hide Editor" +"Is this downloadable Product?","Is this downloadable Product?" +"Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color).","Configurable products allow customers to choose options (Ex: shirt color). +You need to create a simple product for each configuration (Ex: a product for each color)." +"Create Configurations","Create Configurations" +"Edit Configurations","Edit Configurations" +"Display Settings","Display Settings" +"Include in Navigation Menu","Include in Navigation Menu" +"Display Mode","Display Mode" +"CMS Block","CMS Block" +"Is Anchor","Is Anchor" +"Available Product Listing Sort By","Available Product Listing Sort By" +"Default Product Listing Sort By","Default Product Listing Sort By" +"Layered Navigation Price Step","Layered Navigation Price Step" +"Use Parent Category Settings","Use Parent Category Settings" +"Apply To Products","Apply To Products" +"Active From","Active From" +"Active To","Active To" +"Custom Layout Update","Custom Layout Update" +"Default View","Default View" +Columns,Columns +Filters,Filters +Storefront,Storefront +"Base Image","Base Image" +"Small Image","Small Image" +"Swatch Image","Swatch Image" +"Out-of-Stock Threshold","Out-of-Stock Threshold" +"Does this have a weight?","Does this have a weight?" +"Add Price","Add Price" +"Special Price From Date","Special Price From Date" +"Special Price To Date","Special Price To Date" +Cost,Cost +"Tier Price","Tier Price" +"Advanced Pricing","Advanced Pricing" +Autosettings,Autosettings +"Short Description","Short Description" +"Set Product as New from Date","Set Product as New from Date" +"Set Product as New to Date","Set Product as New to Date" +"Country of Manufacture","Country of Manufacture" +"Allow Gift Message","Allow Gift Message" +"Meta Title","Meta Title" +"Maximum 255 chars","Maximum 255 chars" diff --git a/app/code/Magento/Catalog/view/adminhtml/templates/catalog/wysiwyg/js.phtml b/app/code/Magento/Catalog/view/adminhtml/templates/catalog/wysiwyg/js.phtml index d6db808caccad..0c0fef4e31002 100644 --- a/app/code/Magento/Catalog/view/adminhtml/templates/catalog/wysiwyg/js.phtml +++ b/app/code/Magento/Catalog/view/adminhtml/templates/catalog/wysiwyg/js.phtml @@ -45,17 +45,17 @@ var catalogWysiwygEditor = { this.modal.html(jQuery(data).html()); } else { this.modal = jQuery(data).modal({ - title: 'WYSIWYG Editor', + title: '', modalClass: 'magento', type: 'slide', firedElementId: elementId, buttons: [{ - text: 'Cancel', + text: jQuery.mage.__('Cancel'), click: function () { self.closeDialogWindow(this); } },{ - text: 'Submit', + text: jQuery.mage.__('Submit'), click: function () { self.okDialogWindow(this); } diff --git a/app/code/Magento/Catalog/view/adminhtml/web/catalog/product-attributes.js b/app/code/Magento/Catalog/view/adminhtml/web/catalog/product-attributes.js index b48cfec50ea7b..2e59aad4f480d 100644 --- a/app/code/Magento/Catalog/view/adminhtml/web/catalog/product-attributes.js +++ b/app/code/Magento/Catalog/view/adminhtml/web/catalog/product-attributes.js @@ -20,7 +20,7 @@ define([ var self = this; this.modal = $('
').modal({ - title: 'New Attribute', + title: $.mage.__('New Attribute'), type: 'slide', buttons: [], opened: function () { diff --git a/app/code/Magento/CatalogInventory/i18n/de_DE.csv b/app/code/Magento/CatalogInventory/i18n/de_DE.csv index 27a18bc53d3a6..a6aa0cdab7639 100644 --- a/app/code/Magento/CatalogInventory/i18n/de_DE.csv +++ b/app/code/Magento/CatalogInventory/i18n/de_DE.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/en_US.csv b/app/code/Magento/CatalogInventory/i18n/en_US.csv index 38f9b1d16b29b..bc03c0c7d4795 100644 --- a/app/code/Magento/CatalogInventory/i18n/en_US.csv +++ b/app/code/Magento/CatalogInventory/i18n/en_US.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/es_ES.csv b/app/code/Magento/CatalogInventory/i18n/es_ES.csv index ae5832b22fb48..68cfb3b0da9c2 100644 --- a/app/code/Magento/CatalogInventory/i18n/es_ES.csv +++ b/app/code/Magento/CatalogInventory/i18n/es_ES.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/fr_FR.csv b/app/code/Magento/CatalogInventory/i18n/fr_FR.csv index 9f26189b6bf28..f346c19b2582d 100644 --- a/app/code/Magento/CatalogInventory/i18n/fr_FR.csv +++ b/app/code/Magento/CatalogInventory/i18n/fr_FR.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/nl_NL.csv b/app/code/Magento/CatalogInventory/i18n/nl_NL.csv index 94787f375cc70..5c30b164f7d25 100644 --- a/app/code/Magento/CatalogInventory/i18n/nl_NL.csv +++ b/app/code/Magento/CatalogInventory/i18n/nl_NL.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/pt_BR.csv b/app/code/Magento/CatalogInventory/i18n/pt_BR.csv index 7b0d5f0ea27ae..8aa7d4573da48 100644 --- a/app/code/Magento/CatalogInventory/i18n/pt_BR.csv +++ b/app/code/Magento/CatalogInventory/i18n/pt_BR.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv index 1d2fdac53d05a..b2bf200524d1a 100644 --- a/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv @@ -52,3 +52,5 @@ Inventory,Inventory " "Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" "Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" +"Display products availability in stock on Storefront.","Display products availability in stock on Storefront." +"Changing can take some time due to processing whole catalog.","Changing can take some time due to processing whole catalog." diff --git a/app/code/Magento/CatalogRule/i18n/de_DE.csv b/app/code/Magento/CatalogRule/i18n/de_DE.csv index 2cfceb25ae29b..4f2aaa1ff8e8f 100644 --- a/app/code/Magento/CatalogRule/i18n/de_DE.csv +++ b/app/code/Magento/CatalogRule/i18n/de_DE.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/en_US.csv b/app/code/Magento/CatalogRule/i18n/en_US.csv index 2a931e8b33161..733899349f2fa 100644 --- a/app/code/Magento/CatalogRule/i18n/en_US.csv +++ b/app/code/Magento/CatalogRule/i18n/en_US.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/es_ES.csv b/app/code/Magento/CatalogRule/i18n/es_ES.csv index acd65c67ccdb2..19abb7e011f9d 100644 --- a/app/code/Magento/CatalogRule/i18n/es_ES.csv +++ b/app/code/Magento/CatalogRule/i18n/es_ES.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/fr_FR.csv b/app/code/Magento/CatalogRule/i18n/fr_FR.csv index 5349ab2025341..4914767495d8a 100644 --- a/app/code/Magento/CatalogRule/i18n/fr_FR.csv +++ b/app/code/Magento/CatalogRule/i18n/fr_FR.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/nl_NL.csv b/app/code/Magento/CatalogRule/i18n/nl_NL.csv index 6bc287b3c44ce..4842a619cc1a7 100644 --- a/app/code/Magento/CatalogRule/i18n/nl_NL.csv +++ b/app/code/Magento/CatalogRule/i18n/nl_NL.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/pt_BR.csv b/app/code/Magento/CatalogRule/i18n/pt_BR.csv index 77c2c40996739..0edee61f47c5b 100644 --- a/app/code/Magento/CatalogRule/i18n/pt_BR.csv +++ b/app/code/Magento/CatalogRule/i18n/pt_BR.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv index e1fe27f48fbf5..5aee2c9730de3 100644 --- a/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv @@ -71,3 +71,5 @@ Promo,Promo "Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." "Discount value should be 0 or greater.","Discount value should be 0 or greater." "Unknown action.","Unknown action." +"Subproduct discounts","Subproduct discounts" +"Discard subsequent rules","Discard subsequent rules" diff --git a/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv b/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv index 3f76dea40310f..5c7aa7b45d46a 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/en_US.csv b/app/code/Magento/ConfigurableProduct/i18n/en_US.csv index 47d96f24de6d5..7622edffece48 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/en_US.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/en_US.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv b/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv index d054b94127f10..6dd5b9a08531a 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv b/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv index 7b4b4b12cdafa..a5b22887779ef 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv b/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv index 26f35ed074910..5a743bcad3972 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv b/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv index 610564aef34fc..5a04f231a0afe 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv b/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv index 39182d64a089d..2736f12777f66 100644 --- a/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv @@ -53,3 +53,4 @@ Select,Select Confirm,Confirm "File extension not known or unsupported type.","File extension not known or unsupported type." "Configurable Product Image","Configurable Product Image" +"Add Products Manually","Add Products Manually" diff --git a/app/code/Magento/Customer/i18n/de_DE.csv b/app/code/Magento/Customer/i18n/de_DE.csv index 4af58c3e29276..8aa314ff7a718 100644 --- a/app/code/Magento/Customer/i18n/de_DE.csv +++ b/app/code/Magento/Customer/i18n/de_DE.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/en_US.csv b/app/code/Magento/Customer/i18n/en_US.csv index 9c054253770f5..670b9179d9a6f 100644 --- a/app/code/Magento/Customer/i18n/en_US.csv +++ b/app/code/Magento/Customer/i18n/en_US.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/es_ES.csv b/app/code/Magento/Customer/i18n/es_ES.csv index b098d1ba621f5..fccf5185e75ef 100644 --- a/app/code/Magento/Customer/i18n/es_ES.csv +++ b/app/code/Magento/Customer/i18n/es_ES.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/fr_FR.csv b/app/code/Magento/Customer/i18n/fr_FR.csv index c395a660b4198..dc71deb307571 100644 --- a/app/code/Magento/Customer/i18n/fr_FR.csv +++ b/app/code/Magento/Customer/i18n/fr_FR.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/nl_NL.csv b/app/code/Magento/Customer/i18n/nl_NL.csv index 6de00bdc3a3cb..531aa148522ee 100644 --- a/app/code/Magento/Customer/i18n/nl_NL.csv +++ b/app/code/Magento/Customer/i18n/nl_NL.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/pt_BR.csv b/app/code/Magento/Customer/i18n/pt_BR.csv index 1f9a362763ca6..86831da80478d 100644 --- a/app/code/Magento/Customer/i18n/pt_BR.csv +++ b/app/code/Magento/Customer/i18n/pt_BR.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv b/app/code/Magento/Customer/i18n/zh_Hans_CN.csv index a289e6189eb70..1fb543e74a31c 100644 --- a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Customer/i18n/zh_Hans_CN.csv @@ -425,3 +425,15 @@ Suffix,Suffix "Send Welcome Email From","Send Welcome Email From" "Disable Automatic Group Change Based on VAT ID","Disable Automatic Group Change Based on VAT ID" "Images and Videos","Images and Videos" +"Online Customers Options","Online Customers Options" +"Online Minutes Interval","Online Minutes Interval" +"Show VAT Number on Storefront","Show VAT Number on Storefront" +"To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes.","To show VAT number on Storefront, set Show VAT Number on Storefront option to Yes." +"Default Welcome Email Without Password","Default Welcome Email Without Password" +"This email will be sent instead of the Default Welcome Email, if a customer was created without password.","This email will be sent instead of the Default Welcome Email, if a customer was created without password." +"This email will be sent instead of the Default Welcome Email, after account confirmation.","This email will be sent instead of the Default Welcome Email, after account confirmation." +"New Addresses","New Addresses" +"Add New Addresses","Add New Addresses" +"Confirmed email","Confirmed email" +"Account Created in","Account Created in" +"Tax VAT Number","Tax VAT Number" diff --git a/app/code/Magento/Developer/i18n/de_DE.csv b/app/code/Magento/Developer/i18n/de_DE.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/de_DE.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/en_US.csv b/app/code/Magento/Developer/i18n/en_US.csv index e69de29bb2d1d..579ef6ee7c8c6 100644 --- a/app/code/Magento/Developer/i18n/en_US.csv +++ b/app/code/Magento/Developer/i18n/en_US.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/es_ES.csv b/app/code/Magento/Developer/i18n/es_ES.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/es_ES.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/fr_FR.csv b/app/code/Magento/Developer/i18n/fr_FR.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/fr_FR.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/nl_NL.csv b/app/code/Magento/Developer/i18n/nl_NL.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/nl_NL.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/pt_BR.csv b/app/code/Magento/Developer/i18n/pt_BR.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/pt_BR.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/zh_Hans_CN.csv b/app/code/Magento/Developer/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..579ef6ee7c8c6 --- /dev/null +++ b/app/code/Magento/Developer/i18n/zh_Hans_CN.csv @@ -0,0 +1,5 @@ +"Front-end development workflow","Front-end development workflow" +"Workflow type","Workflow type" +"Server side less compilation","Server side less compilation" +"Client side less compilation","Client side less compilation" +"Not available in production mode"," Not available in production mode" diff --git a/app/code/Magento/Eav/i18n/de_DE.csv b/app/code/Magento/Eav/i18n/de_DE.csv index 93a4360977cb9..e680903973d6f 100644 --- a/app/code/Magento/Eav/i18n/de_DE.csv +++ b/app/code/Magento/Eav/i18n/de_DE.csv @@ -111,3 +111,4 @@ Letters,Buchstaben "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/en_US.csv b/app/code/Magento/Eav/i18n/en_US.csv index c1819f87eee29..37bc177bd3572 100644 --- a/app/code/Magento/Eav/i18n/en_US.csv +++ b/app/code/Magento/Eav/i18n/en_US.csv @@ -111,3 +111,4 @@ Letters,Letters "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/es_ES.csv b/app/code/Magento/Eav/i18n/es_ES.csv index 3d2f45326d051..4f80acdc62e48 100644 --- a/app/code/Magento/Eav/i18n/es_ES.csv +++ b/app/code/Magento/Eav/i18n/es_ES.csv @@ -111,3 +111,4 @@ Letters,Letras "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/fr_FR.csv b/app/code/Magento/Eav/i18n/fr_FR.csv index 98e09d8b3490e..96349f6e9e120 100644 --- a/app/code/Magento/Eav/i18n/fr_FR.csv +++ b/app/code/Magento/Eav/i18n/fr_FR.csv @@ -111,3 +111,4 @@ Letters,Lettres "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/nl_NL.csv b/app/code/Magento/Eav/i18n/nl_NL.csv index f4957e8caf47b..d565a11bac273 100644 --- a/app/code/Magento/Eav/i18n/nl_NL.csv +++ b/app/code/Magento/Eav/i18n/nl_NL.csv @@ -111,3 +111,4 @@ Letters,Letters "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/pt_BR.csv b/app/code/Magento/Eav/i18n/pt_BR.csv index 5e0a675306622..c9820d045932f 100644 --- a/app/code/Magento/Eav/i18n/pt_BR.csv +++ b/app/code/Magento/Eav/i18n/pt_BR.csv @@ -111,3 +111,4 @@ Letters,Letras "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/Eav/i18n/zh_Hans_CN.csv b/app/code/Magento/Eav/i18n/zh_Hans_CN.csv index 5bb43b6aa0b88..78abe10ca9c61 100644 --- a/app/code/Magento/Eav/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Eav/i18n/zh_Hans_CN.csv @@ -111,3 +111,4 @@ Letters,字母 "The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" "EAV types and attributes","EAV types and attributes" "Entity types declaration cache.","Entity types declaration cache." +"Default label","Default label" diff --git a/app/code/Magento/ImportExport/i18n/de_DE.csv b/app/code/Magento/ImportExport/i18n/de_DE.csv index 9a86f78898167..5bd77f4188114 100644 --- a/app/code/Magento/ImportExport/i18n/de_DE.csv +++ b/app/code/Magento/ImportExport/i18n/de_DE.csv @@ -90,3 +90,7 @@ Import/Export,Import/Export "Custom Action","Custom Action" "Entity Attributes",Entitätenattribute "Validation Results",Prüfergebnisse +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/en_US.csv b/app/code/Magento/ImportExport/i18n/en_US.csv index 727046f58ac81..2ad0c144be94d 100644 --- a/app/code/Magento/ImportExport/i18n/en_US.csv +++ b/app/code/Magento/ImportExport/i18n/en_US.csv @@ -90,3 +90,7 @@ Import/Export,Import/Export "Custom Action","Custom Action" "Entity Attributes","Entity Attributes" "Validation Results","Validation Results" +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/es_ES.csv b/app/code/Magento/ImportExport/i18n/es_ES.csv index 7ad44414b61b0..8deb71e333da1 100644 --- a/app/code/Magento/ImportExport/i18n/es_ES.csv +++ b/app/code/Magento/ImportExport/i18n/es_ES.csv @@ -90,3 +90,7 @@ Import/Export,Importar/Exportar "Custom Action","Custom Action" "Entity Attributes","Atributos de la Entidad" "Validation Results","Resultados de Validación" +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/fr_FR.csv b/app/code/Magento/ImportExport/i18n/fr_FR.csv index fa3f5d0a72372..e9f36f9c083a7 100644 --- a/app/code/Magento/ImportExport/i18n/fr_FR.csv +++ b/app/code/Magento/ImportExport/i18n/fr_FR.csv @@ -90,3 +90,7 @@ Import/Export,"Importer / Exporter" "Custom Action","Custom Action" "Entity Attributes","Attributs de l'entité" "Validation Results","Résultats validation" +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/nl_NL.csv b/app/code/Magento/ImportExport/i18n/nl_NL.csv index 900f14c5ae73a..8748fbbc27db6 100644 --- a/app/code/Magento/ImportExport/i18n/nl_NL.csv +++ b/app/code/Magento/ImportExport/i18n/nl_NL.csv @@ -90,3 +90,7 @@ Import/Export,Import/Export "Custom Action","Custom Action" "Entity Attributes",Eenheidattributen "Validation Results","Validatie Resultaten" +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/pt_BR.csv b/app/code/Magento/ImportExport/i18n/pt_BR.csv index d05faf9f0d311..c1f2cec431904 100644 --- a/app/code/Magento/ImportExport/i18n/pt_BR.csv +++ b/app/code/Magento/ImportExport/i18n/pt_BR.csv @@ -90,3 +90,7 @@ Import/Export,Importação/Exportação "Custom Action","Custom Action" "Entity Attributes","Atributos da entidade" "Validation Results","Resultados de Validação" +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv b/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv index 64e0a7d30a712..d3f7677674e7f 100644 --- a/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv @@ -90,3 +90,7 @@ Import/Export,导入/导出 "Custom Action","Custom Action" "Entity Attributes",编辑属性 "Validation Results",验证结果 +"Start Date&Time","Start Date&Time" +"Imported File","Imported File" +"Error File","Error File" +"Execution Time","Execution Time" diff --git a/app/code/Magento/Integration/i18n/de_DE.csv b/app/code/Magento/Integration/i18n/de_DE.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/de_DE.csv +++ b/app/code/Magento/Integration/i18n/de_DE.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/en_US.csv b/app/code/Magento/Integration/i18n/en_US.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/en_US.csv +++ b/app/code/Magento/Integration/i18n/en_US.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/es_ES.csv b/app/code/Magento/Integration/i18n/es_ES.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/es_ES.csv +++ b/app/code/Magento/Integration/i18n/es_ES.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/fr_FR.csv b/app/code/Magento/Integration/i18n/fr_FR.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/fr_FR.csv +++ b/app/code/Magento/Integration/i18n/fr_FR.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/nl_NL.csv b/app/code/Magento/Integration/i18n/nl_NL.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/nl_NL.csv +++ b/app/code/Magento/Integration/i18n/nl_NL.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/pt_BR.csv b/app/code/Magento/Integration/i18n/pt_BR.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/pt_BR.csv +++ b/app/code/Magento/Integration/i18n/pt_BR.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Integration/i18n/zh_Hans_CN.csv b/app/code/Magento/Integration/i18n/zh_Hans_CN.csv index 285c9c3aa115f..9a94fa0c430bd 100644 --- a/app/code/Magento/Integration/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Integration/i18n/zh_Hans_CN.csv @@ -68,3 +68,8 @@ OAuth,OAuth "Integrations Configuration","Integrations Configuration" "Integration configuration file.","Integration configuration file." "No Integrations Found","No Integrations Found" +"Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup","Integer. Launch cleanup in X OAuth requests. 0 (not recommended) - to disable cleanup" +"Cleanup entries older than X minutes.","Cleanup entries older than X minutes." +"Timeout for OAuth consumer credentials Post request within X seconds.","Timeout for OAuth consumer credentials Post request within X seconds." +"Number of maximum redirects for OAuth consumer credentials Post request.","Number of maximum redirects for OAuth consumer credentials Post request." +"Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts.","Consumer key/secret will expire if not used within X seconds after Oauth token exchange starts." diff --git a/app/code/Magento/Msrp/i18n/de_DE.csv b/app/code/Magento/Msrp/i18n/de_DE.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/de_DE.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/en_US.csv b/app/code/Magento/Msrp/i18n/en_US.csv index e69de29bb2d1d..be8e733a4bfd1 100644 --- a/app/code/Magento/Msrp/i18n/en_US.csv +++ b/app/code/Magento/Msrp/i18n/en_US.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/es_ES.csv b/app/code/Magento/Msrp/i18n/es_ES.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/es_ES.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/fr_FR.csv b/app/code/Magento/Msrp/i18n/fr_FR.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/fr_FR.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/nl_NL.csv b/app/code/Magento/Msrp/i18n/nl_NL.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/nl_NL.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/pt_BR.csv b/app/code/Magento/Msrp/i18n/pt_BR.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/pt_BR.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Msrp/i18n/zh_Hans_CN.csv b/app/code/Magento/Msrp/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..be8e733a4bfd1 --- /dev/null +++ b/app/code/Magento/Msrp/i18n/zh_Hans_CN.csv @@ -0,0 +1,2 @@ +"Enabling MAP by default will hide all product prices on Storefront.","Enabling MAP by default will hide all product prices on Storefront." +"Warning!","Warning!" diff --git a/app/code/Magento/Paypal/i18n/de_DE.csv b/app/code/Magento/Paypal/i18n/de_DE.csv index 9688d3237dbcb..f617f0d3372c8 100644 --- a/app/code/Magento/Paypal/i18n/de_DE.csv +++ b/app/code/Magento/Paypal/i18n/de_DE.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/en_US.csv b/app/code/Magento/Paypal/i18n/en_US.csv index b1b45cb9cc966..ecba6dd37f272 100644 --- a/app/code/Magento/Paypal/i18n/en_US.csv +++ b/app/code/Magento/Paypal/i18n/en_US.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/es_ES.csv b/app/code/Magento/Paypal/i18n/es_ES.csv index a6c03fb513331..d37c8aaff7fdc 100644 --- a/app/code/Magento/Paypal/i18n/es_ES.csv +++ b/app/code/Magento/Paypal/i18n/es_ES.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/fr_FR.csv b/app/code/Magento/Paypal/i18n/fr_FR.csv index 2db5be340c65b..53a5db6448ac4 100644 --- a/app/code/Magento/Paypal/i18n/fr_FR.csv +++ b/app/code/Magento/Paypal/i18n/fr_FR.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/nl_NL.csv b/app/code/Magento/Paypal/i18n/nl_NL.csv index 6121c7d1ba940..71ec7edaa3fed 100644 --- a/app/code/Magento/Paypal/i18n/nl_NL.csv +++ b/app/code/Magento/Paypal/i18n/nl_NL.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/pt_BR.csv b/app/code/Magento/Paypal/i18n/pt_BR.csv index 22bccf0d19376..b76f1834e4dbf 100644 --- a/app/code/Magento/Paypal/i18n/pt_BR.csv +++ b/app/code/Magento/Paypal/i18n/pt_BR.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv b/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv index 3533b127b1023..5d889ac7002a0 100644 --- a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv @@ -687,3 +687,4 @@ Vendor,Vendor "Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" "Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" "PayPal Payment Solutions","PayPal Payment Solutions" +"Display on Product Details Page","Display on Product Details Page" diff --git a/app/code/Magento/ProductVideo/Block/Adminhtml/Product/Edit/NewVideo.php b/app/code/Magento/ProductVideo/Block/Adminhtml/Product/Edit/NewVideo.php index fbc2132db4999..3f2c39c8e3930 100644 --- a/app/code/Magento/ProductVideo/Block/Adminhtml/Product/Edit/NewVideo.php +++ b/app/code/Magento/ProductVideo/Block/Adminhtml/Product/Edit/NewVideo.php @@ -104,7 +104,7 @@ protected function _prepareForm() 'title' => __('Url'), 'required' => true, 'name' => 'video_url', - 'note' => 'Youtube or Vimeo supported', + 'note' => __('Youtube or Vimeo supported'), ] ); @@ -156,9 +156,9 @@ protected function _prepareForm() 'button', [ 'label' => '', - 'title' => __('Get Video Information'), + 'title' => 'Get Video Information', 'name' => 'new_video_get', - 'value' => 'Get Video Information', + 'value' => __('Get Video Information'), 'class' => 'action-default' ] ); diff --git a/app/code/Magento/ProductVideo/i18n/de_DE.csv b/app/code/Magento/ProductVideo/i18n/de_DE.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/de_DE.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/en_US.csv b/app/code/Magento/ProductVideo/i18n/en_US.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/en_US.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/es_ES.csv b/app/code/Magento/ProductVideo/i18n/es_ES.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/es_ES.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/fr_FR.csv b/app/code/Magento/ProductVideo/i18n/fr_FR.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/fr_FR.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/nl_NL.csv b/app/code/Magento/ProductVideo/i18n/nl_NL.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/nl_NL.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/pt_BR.csv b/app/code/Magento/ProductVideo/i18n/pt_BR.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/pt_BR.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/i18n/zh_Hans_CN.csv b/app/code/Magento/ProductVideo/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..7047317396999 --- /dev/null +++ b/app/code/Magento/ProductVideo/i18n/zh_Hans_CN.csv @@ -0,0 +1,9 @@ +"Add video","Add video" +"New Video","New Video" +"Product Video","Product Video" +"YouTube API key","YouTube API key" +"You have not entered youtube API key. No information about youtube video will be retrieved.","You have not entered youtube API key. No information about youtube video will be retrieved." +"Url","Url" +"Preview Image","Preview Image" +"Get Video Information","Get Video Information" +"Youtube or Vimeo supported","Youtube or Vimeo supported" diff --git a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js index 52171f1537a25..b4ed2404490e7 100644 --- a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js +++ b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js @@ -70,7 +70,7 @@ require([ * Return string */ toString: function () { - return this.name + ': ' + this.message; + return $.mage.__(this.name + ': ' + this.message); } }; } @@ -323,8 +323,7 @@ require([ $.widget('mage.videoData', { options: { youtubeKey: '', - noKeyErrorTxt: 'You have not entered youtube API key. ' + - 'No information about youtube video will be retrieved.', + noKeyErrorTxt: $.mage.__('You have not entered youtube API key. No information about youtube video will be retrieved.'), eventSource: '' //where is data going from - focus out or click on button }, @@ -367,7 +366,7 @@ require([ videoInfo = this._validateURL(url); if (!videoInfo) { - this._onRequestError('Invalid video url'); + this._onRequestError($.mage.__('Invalid video url')); return; } @@ -402,7 +401,7 @@ require([ errReason = tmpError.reason; if (['keyInvalid'].indexOf(errReason) !== -1) { - errorsMessage.push('Youtube API key is an invalid'); + errorsMessage.push($.mage.__('Youtube API key is an invalid')); break; } @@ -410,7 +409,7 @@ require([ errorsMessage.push(tmpError.message); } - return 'Video can\'t be shown by reason: ' + $.unique(errorsMessage).join(', '); + return $.mage.__('Video can\'t be shown by reason: ') + $.unique(errorsMessage).join(', '); }; if (data.error && data.error.code === 400) { @@ -420,7 +419,7 @@ require([ } if (!data.items || data.items.length < 1) { - this._onRequestError('Video not found'); + this._onRequestError($.mage.__('Video not found')); return; } @@ -450,7 +449,7 @@ require([ respData; if (data.length < 1) { - this._onRequestError('Video not found'); + this._onRequestError($.mage.__('Video not found')); return null; } diff --git a/app/code/Magento/ProductVideo/view/adminhtml/web/js/new-video-dialog.js b/app/code/Magento/ProductVideo/view/adminhtml/web/js/new-video-dialog.js index e5efb668b51e9..515ef3d3a4258 100644 --- a/app/code/Magento/ProductVideo/view/adminhtml/web/js/new-video-dialog.js +++ b/app/code/Magento/ProductVideo/view/adminhtml/web/js/new-video-dialog.js @@ -1138,7 +1138,7 @@ define([ } }); - $('#group-fields-image-management > legend > span').text('Images and Videos'); + $('#group-fields-image-management > legend > span').text($.mage.__('Images and Videos')); return $.mage.newVideoDialog; }); diff --git a/app/code/Magento/Reports/i18n/de_DE.csv b/app/code/Magento/Reports/i18n/de_DE.csv index c751048ec4fd2..534e3729afe2b 100644 --- a/app/code/Magento/Reports/i18n/de_DE.csv +++ b/app/code/Magento/Reports/i18n/de_DE.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/en_US.csv b/app/code/Magento/Reports/i18n/en_US.csv index 3ab4dda3fe68c..2d2ecc5de0da6 100644 --- a/app/code/Magento/Reports/i18n/en_US.csv +++ b/app/code/Magento/Reports/i18n/en_US.csv @@ -226,3 +226,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/es_ES.csv b/app/code/Magento/Reports/i18n/es_ES.csv index b025859c92e51..126b8657ab906 100644 --- a/app/code/Magento/Reports/i18n/es_ES.csv +++ b/app/code/Magento/Reports/i18n/es_ES.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/fr_FR.csv b/app/code/Magento/Reports/i18n/fr_FR.csv index de79ece2ef856..b24fa96e2f316 100644 --- a/app/code/Magento/Reports/i18n/fr_FR.csv +++ b/app/code/Magento/Reports/i18n/fr_FR.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/nl_NL.csv b/app/code/Magento/Reports/i18n/nl_NL.csv index f8b5dc7e7c8ec..c6e0ee38787a5 100644 --- a/app/code/Magento/Reports/i18n/nl_NL.csv +++ b/app/code/Magento/Reports/i18n/nl_NL.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/pt_BR.csv b/app/code/Magento/Reports/i18n/pt_BR.csv index 8ef822b53a296..4b8aba26f01c1 100644 --- a/app/code/Magento/Reports/i18n/pt_BR.csv +++ b/app/code/Magento/Reports/i18n/pt_BR.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv b/app/code/Magento/Reports/i18n/zh_Hans_CN.csv index bf85485daa4fd..0b6282a6ecbbb 100644 --- a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Reports/i18n/zh_Hans_CN.csv @@ -225,3 +225,5 @@ Refunds,Refunds "PayPal Settlement","PayPal Settlement" "Order Count","Order Count" Bestseller,Bestseller +"Date Used","Date Used" +"For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone.","For accurate reporting, be sure to refresh lifetime statistics whenever you change the time zone." diff --git a/app/code/Magento/Sales/i18n/de_DE.csv b/app/code/Magento/Sales/i18n/de_DE.csv index 736a5f91b8f7b..fb3e58f2482c2 100644 --- a/app/code/Magento/Sales/i18n/de_DE.csv +++ b/app/code/Magento/Sales/i18n/de_DE.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","PDF Packzettel" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/en_US.csv b/app/code/Magento/Sales/i18n/en_US.csv index 5970b2ff82e61..7b3d38e9717b0 100644 --- a/app/code/Magento/Sales/i18n/en_US.csv +++ b/app/code/Magento/Sales/i18n/en_US.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","PDF Packing Slips" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/es_ES.csv b/app/code/Magento/Sales/i18n/es_ES.csv index d524aad0e94ba..015591201e9e7 100644 --- a/app/code/Magento/Sales/i18n/es_ES.csv +++ b/app/code/Magento/Sales/i18n/es_ES.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","Albaranes en PDF" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/fr_FR.csv b/app/code/Magento/Sales/i18n/fr_FR.csv index e6ee0ec1c4a3f..1d787044b21cc 100644 --- a/app/code/Magento/Sales/i18n/fr_FR.csv +++ b/app/code/Magento/Sales/i18n/fr_FR.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","Bons de livraison PDF" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/nl_NL.csv b/app/code/Magento/Sales/i18n/nl_NL.csv index 1675d096d63af..447c93da4ce34 100644 --- a/app/code/Magento/Sales/i18n/nl_NL.csv +++ b/app/code/Magento/Sales/i18n/nl_NL.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","PDF Packing Slips" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/pt_BR.csv b/app/code/Magento/Sales/i18n/pt_BR.csv index 41380ea687d54..7aa47fed8a030 100644 --- a/app/code/Magento/Sales/i18n/pt_BR.csv +++ b/app/code/Magento/Sales/i18n/pt_BR.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips","Guias de remessas em PDF" "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Sales/i18n/zh_Hans_CN.csv b/app/code/Magento/Sales/i18n/zh_Hans_CN.csv index 72b4d5663d7eb..747e009ade46b 100644 --- a/app/code/Magento/Sales/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Sales/i18n/zh_Hans_CN.csv @@ -680,3 +680,11 @@ order-header,order-header "PDF Packing Slips",PDF版包裹清单 "Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." Operations,Operations +"Include Tax to Amount","Include Tax to Amount" +"Orders Cron Settings","Orders Cron Settings" +"Pending Payment Order Lifetime (minutes)","Pending Payment Order Lifetime (minutes)" +"Asynchronous sending","Asynchronous sending" +"Grid Settings","Grid Settings" +"Asynchronous indexing","Asynchronous indexing" +"Visible On Storefront","Visible On Storefront" +"Please select a customer","Please select a customer" diff --git a/app/code/Magento/Search/i18n/de_DE.csv b/app/code/Magento/Search/i18n/de_DE.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/de_DE.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/en_US.csv b/app/code/Magento/Search/i18n/en_US.csv index e69de29bb2d1d..8b4b04aa3b9ec 100644 --- a/app/code/Magento/Search/i18n/en_US.csv +++ b/app/code/Magento/Search/i18n/en_US.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/es_ES.csv b/app/code/Magento/Search/i18n/es_ES.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/es_ES.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/fr_FR.csv b/app/code/Magento/Search/i18n/fr_FR.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/fr_FR.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/nl_NL.csv b/app/code/Magento/Search/i18n/nl_NL.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/nl_NL.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/pt_BR.csv b/app/code/Magento/Search/i18n/pt_BR.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/pt_BR.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Search/i18n/zh_Hans_CN.csv b/app/code/Magento/Search/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..8b4b04aa3b9ec --- /dev/null +++ b/app/code/Magento/Search/i18n/zh_Hans_CN.csv @@ -0,0 +1 @@ +"Search Engine","Search Engine" diff --git a/app/code/Magento/Shipping/i18n/de_DE.csv b/app/code/Magento/Shipping/i18n/de_DE.csv index 326f627ae56cd..5dfec9240b02c 100644 --- a/app/code/Magento/Shipping/i18n/de_DE.csv +++ b/app/code/Magento/Shipping/i18n/de_DE.csv @@ -158,3 +158,5 @@ Weight:,Gewicht: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/en_US.csv b/app/code/Magento/Shipping/i18n/en_US.csv index 2193b829ed9f5..ca8390a68b276 100644 --- a/app/code/Magento/Shipping/i18n/en_US.csv +++ b/app/code/Magento/Shipping/i18n/en_US.csv @@ -158,3 +158,5 @@ Weight:,Weight: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/es_ES.csv b/app/code/Magento/Shipping/i18n/es_ES.csv index 8e25a42536875..86a7dca9f6dee 100644 --- a/app/code/Magento/Shipping/i18n/es_ES.csv +++ b/app/code/Magento/Shipping/i18n/es_ES.csv @@ -158,3 +158,5 @@ Weight:,Peso: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/fr_FR.csv b/app/code/Magento/Shipping/i18n/fr_FR.csv index c19b760aa60ef..18e90be9336a5 100644 --- a/app/code/Magento/Shipping/i18n/fr_FR.csv +++ b/app/code/Magento/Shipping/i18n/fr_FR.csv @@ -158,3 +158,5 @@ Weight:,Poids "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/nl_NL.csv b/app/code/Magento/Shipping/i18n/nl_NL.csv index 07c848014a04d..e54b3d48b9536 100644 --- a/app/code/Magento/Shipping/i18n/nl_NL.csv +++ b/app/code/Magento/Shipping/i18n/nl_NL.csv @@ -158,3 +158,5 @@ Weight:,Gewicht: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/pt_BR.csv b/app/code/Magento/Shipping/i18n/pt_BR.csv index d2142838d0fcb..f98f2d120c7fe 100644 --- a/app/code/Magento/Shipping/i18n/pt_BR.csv +++ b/app/code/Magento/Shipping/i18n/pt_BR.csv @@ -158,3 +158,5 @@ Weight:,Peso: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv b/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv index 366aa7594c48e..4a5d7c38ae88c 100644 --- a/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv @@ -158,3 +158,5 @@ Weight:,重量: "Street Address Line 2","Street Address Line 2" "Shipping Settings","Shipping Settings" Origin,Origin +"Shipping Policy Parameters","Shipping Policy Parameters" +"Apply custom Shipping Policy","Apply custom Shipping Policy" diff --git a/app/code/Magento/Swatches/i18n/de_DE.csv b/app/code/Magento/Swatches/i18n/de_DE.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/de_DE.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/en_US.csv b/app/code/Magento/Swatches/i18n/en_US.csv index 26485e0ce6862..f0aa34bbef26e 100644 --- a/app/code/Magento/Swatches/i18n/en_US.csv +++ b/app/code/Magento/Swatches/i18n/en_US.csv @@ -1 +1,2 @@ -"Swatch","Swatch" \ No newline at end of file +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/es_ES.csv b/app/code/Magento/Swatches/i18n/es_ES.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/es_ES.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/fr_FR.csv b/app/code/Magento/Swatches/i18n/fr_FR.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/fr_FR.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/nl_NL.csv b/app/code/Magento/Swatches/i18n/nl_NL.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/nl_NL.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/pt_BR.csv b/app/code/Magento/Swatches/i18n/pt_BR.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/pt_BR.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Swatches/i18n/zh_Hans_CN.csv b/app/code/Magento/Swatches/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..f0aa34bbef26e --- /dev/null +++ b/app/code/Magento/Swatches/i18n/zh_Hans_CN.csv @@ -0,0 +1,2 @@ +"Swatch","Swatch" +"Swatches per Product","Swatches per Product" diff --git a/app/code/Magento/Tax/i18n/de_DE.csv b/app/code/Magento/Tax/i18n/de_DE.csv index 4fc035fa2f4a3..4c0f85d4c6286 100644 --- a/app/code/Magento/Tax/i18n/de_DE.csv +++ b/app/code/Magento/Tax/i18n/de_DE.csv @@ -159,3 +159,4 @@ State/Region,Bundesstaat/Region "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/en_US.csv b/app/code/Magento/Tax/i18n/en_US.csv index af228accb3440..731dd4c7e9f80 100644 --- a/app/code/Magento/Tax/i18n/en_US.csv +++ b/app/code/Magento/Tax/i18n/en_US.csv @@ -159,3 +159,4 @@ State/Region,State/Region "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/es_ES.csv b/app/code/Magento/Tax/i18n/es_ES.csv index b97d5fe9cb3ee..2afa215197945 100644 --- a/app/code/Magento/Tax/i18n/es_ES.csv +++ b/app/code/Magento/Tax/i18n/es_ES.csv @@ -159,3 +159,4 @@ State/Region,Estado/Región "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/fr_FR.csv b/app/code/Magento/Tax/i18n/fr_FR.csv index 2687af941e9b2..5a1da113a85af 100644 --- a/app/code/Magento/Tax/i18n/fr_FR.csv +++ b/app/code/Magento/Tax/i18n/fr_FR.csv @@ -159,3 +159,4 @@ State/Region,État/Région "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/nl_NL.csv b/app/code/Magento/Tax/i18n/nl_NL.csv index 212f01a0c4761..4cb6c04c5b060 100644 --- a/app/code/Magento/Tax/i18n/nl_NL.csv +++ b/app/code/Magento/Tax/i18n/nl_NL.csv @@ -159,3 +159,4 @@ State/Region,Provincie "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/pt_BR.csv b/app/code/Magento/Tax/i18n/pt_BR.csv index d22d24f7218e3..75020e08653e4 100644 --- a/app/code/Magento/Tax/i18n/pt_BR.csv +++ b/app/code/Magento/Tax/i18n/pt_BR.csv @@ -159,3 +159,4 @@ State/Region,Estado/Região "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/Tax/i18n/zh_Hans_CN.csv b/app/code/Magento/Tax/i18n/zh_Hans_CN.csv index 2a4d9e43e27e0..47b0e16c986c1 100644 --- a/app/code/Magento/Tax/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Tax/i18n/zh_Hans_CN.csv @@ -159,3 +159,4 @@ State/Region,州/地区 "Subtotal Only","Subtotal Only" Taxes,Taxes "Import/Export Tax Rates","Import/Export Tax Rates" +"Asynchronous sending","Asynchronous sending" diff --git a/app/code/Magento/TaxImportExport/view/adminhtml/templates/importExport.phtml b/app/code/Magento/TaxImportExport/view/adminhtml/templates/importExport.phtml index f2a8583fbab15..f66c7530a9a6d 100644 --- a/app/code/Magento/TaxImportExport/view/adminhtml/templates/importExport.phtml +++ b/app/code/Magento/TaxImportExport/view/adminhtml/templates/importExport.phtml @@ -18,7 +18,7 @@
- getButtonHtml('Import Tax Rates', '', 'import-submit') ?> + getButtonHtml(__('Import Tax Rates'), '', 'import-submit') ?>
getUseContainer()): ?> @@ -52,7 +52,7 @@ require(['jquery', "mage/mage", "loadingPopup"], function(jQuery){
- getButtonHtml('Export Tax Rates', "this.form.submit()") ?> + getButtonHtml(__('Export Tax Rates'), "this.form.submit()") ?>
getUseContainer()): ?> diff --git a/app/code/Magento/Translation/i18n/de_DE.csv b/app/code/Magento/Translation/i18n/de_DE.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/de_DE.csv +++ b/app/code/Magento/Translation/i18n/de_DE.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/en_US.csv b/app/code/Magento/Translation/i18n/en_US.csv index f2ad248b85706..08eb215294d54 100644 --- a/app/code/Magento/Translation/i18n/en_US.csv +++ b/app/code/Magento/Translation/i18n/en_US.csv @@ -141,3 +141,7 @@ Translate,Translate Ok,Ok Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/es_ES.csv b/app/code/Magento/Translation/i18n/es_ES.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/es_ES.csv +++ b/app/code/Magento/Translation/i18n/es_ES.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/fr_FR.csv b/app/code/Magento/Translation/i18n/fr_FR.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/fr_FR.csv +++ b/app/code/Magento/Translation/i18n/fr_FR.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/nl_NL.csv b/app/code/Magento/Translation/i18n/nl_NL.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/nl_NL.csv +++ b/app/code/Magento/Translation/i18n/nl_NL.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/pt_BR.csv b/app/code/Magento/Translation/i18n/pt_BR.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/pt_BR.csv +++ b/app/code/Magento/Translation/i18n/pt_BR.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Translation/i18n/zh_Hans_CN.csv b/app/code/Magento/Translation/i18n/zh_Hans_CN.csv index 56239f74d9613..3964307e4d02b 100644 --- a/app/code/Magento/Translation/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Translation/i18n/zh_Hans_CN.csv @@ -141,3 +141,7 @@ Ok,Ok "We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." Translations,Translations "Translation files.","Translation files." +"Translation Strategy","Translation Strategy" +"Please put your store into maintenance mode and redeploy static files after changing strategy","Please put your store into maintenance mode and redeploy static files after changing strategy" +"Dictionary (Translation on Storefront side)","Dictionary (Translation on Storefront side)" +"Embedded (Translation on Admin side)","Embedded (Translation on Admin side)" diff --git a/app/code/Magento/Ui/i18n/de_DE.csv b/app/code/Magento/Ui/i18n/de_DE.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/de_DE.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/en_US.csv b/app/code/Magento/Ui/i18n/en_US.csv index e69de29bb2d1d..2efac126b857c 100644 --- a/app/code/Magento/Ui/i18n/en_US.csv +++ b/app/code/Magento/Ui/i18n/en_US.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/es_ES.csv b/app/code/Magento/Ui/i18n/es_ES.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/es_ES.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/fr_FR.csv b/app/code/Magento/Ui/i18n/fr_FR.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/fr_FR.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/nl_NL.csv b/app/code/Magento/Ui/i18n/nl_NL.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/nl_NL.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/pt_BR.csv b/app/code/Magento/Ui/i18n/pt_BR.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/pt_BR.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/Ui/i18n/zh_Hans_CN.csv b/app/code/Magento/Ui/i18n/zh_Hans_CN.csv new file mode 100644 index 0000000000000..2efac126b857c --- /dev/null +++ b/app/code/Magento/Ui/i18n/zh_Hans_CN.csv @@ -0,0 +1,4 @@ +"Log JS Errors to Session Storage","Log JS Errors to Session Storage" +"If enabled, can be used by functional tests for extended reporting","If enabled, can be used by functional tests for extended reporting" +"Log JS Errors to Session Storage Key","Log JS Errors to Session Storage Key" +"Use this key to retrieve collected js errors","Use this key to retrieve collected js errors" diff --git a/app/code/Magento/UrlRewrite/i18n/de_DE.csv b/app/code/Magento/UrlRewrite/i18n/de_DE.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/de_DE.csv +++ b/app/code/Magento/UrlRewrite/i18n/de_DE.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/en_US.csv b/app/code/Magento/UrlRewrite/i18n/en_US.csv index 2d0c4e9330abf..ef0b25b6b8366 100644 --- a/app/code/Magento/UrlRewrite/i18n/en_US.csv +++ b/app/code/Magento/UrlRewrite/i18n/en_US.csv @@ -60,3 +60,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/es_ES.csv b/app/code/Magento/UrlRewrite/i18n/es_ES.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/es_ES.csv +++ b/app/code/Magento/UrlRewrite/i18n/es_ES.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/fr_FR.csv b/app/code/Magento/UrlRewrite/i18n/fr_FR.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/fr_FR.csv +++ b/app/code/Magento/UrlRewrite/i18n/fr_FR.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/nl_NL.csv b/app/code/Magento/UrlRewrite/i18n/nl_NL.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/nl_NL.csv +++ b/app/code/Magento/UrlRewrite/i18n/nl_NL.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/pt_BR.csv b/app/code/Magento/UrlRewrite/i18n/pt_BR.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/pt_BR.csv +++ b/app/code/Magento/UrlRewrite/i18n/pt_BR.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv b/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv index 8b6c4909ac308..f6df008b65c5d 100644 --- a/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv @@ -55,3 +55,4 @@ Edit,Edit "An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." "Select Category","Select Category" "Options","Options" +"Redirect Type","Redirect Type" diff --git a/lib/web/jquery/fileUploader/main.js b/lib/web/jquery/fileUploader/main.js index 01c86feba72f0..7231899276c4b 100644 --- a/lib/web/jquery/fileUploader/main.js +++ b/lib/web/jquery/fileUploader/main.js @@ -57,7 +57,7 @@ $(function () { type: 'HEAD' }).fail(function () { $('') - .text('Upload server currently unavailable - ' + + .text($.mage.__('Upload server currently unavailable - ') + new Date()) .appendTo('#fileupload'); }); diff --git a/lib/web/jquery/jquery.details.js b/lib/web/jquery/jquery.details.js index 1d0b396ea6768..21240c85ca6d5 100644 --- a/lib/web/jquery/jquery.details.js +++ b/lib/web/jquery/jquery.details.js @@ -83,7 +83,7 @@ define([ // If there is no `summary` in the current `details` element… if (!$detailsSummary.length) { // …create one with default text - $detailsSummary = $('').text('Details').prependTo($details); + $detailsSummary = $('').text($.mage.__('Details')).prependTo($details); } // Look for direct child text nodes From 22e65b35479faf6631c8360a81be45c66094977c Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Wed, 28 Oct 2015 12:46:40 -0500 Subject: [PATCH 08/27] MAGETWO-43612: Untranslatable phrases in Magento 2 - support translations of arrays --- app/code/Magento/Paypal/Model/Info.php | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/app/code/Magento/Paypal/Model/Info.php b/app/code/Magento/Paypal/Model/Info.php index 8e6423371d528..2df9786f1ef45 100644 --- a/app/code/Magento/Paypal/Model/Info.php +++ b/app/code/Magento/Paypal/Model/Info.php @@ -568,7 +568,9 @@ protected function _getFullInfo(array $keys, \Magento\Payment\Model\InfoInterfac } if (!empty($this->_paymentMapFull[$key]['value'])) { if ($labelValuesOnly) { - $result[$this->_paymentMapFull[$key]['label']] = __($this->_paymentMapFull[$key]['value']); + $value = $this->_paymentMapFull[$key]['value']; + $value = is_array($value) ? array_map('__', $value) : __($value); + $result[$this->_paymentMapFull[$key]['label']] = $value; } else { $result[$key] = $this->_paymentMapFull[$key]; } From ac3e35528336d7e4942078b04d6121a51e1aa008 Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Sun, 25 Oct 2015 16:37:55 -0500 Subject: [PATCH 09/27] MAGETWO-43752: Static test ArgumentsTest does not check all cases - Removed phpmd suppression of cyclomatic complexity warning. - Fixed cyclomatic complexity. - Fixed another occurrence in the code with an extra % sign. MAGETWO-43752: Static test ArgumentsTest does not check all cases - Code style fix. - Language files update text. MAGETWO-43752: Static test ArgumentsTest does not check all cases - Changed regex of ArgumentsTest to allow things like 100%. To do this one must use numbered placeholders not named ones. MAGETWO-43752: Static test ArgumentsTest does not check all cases - updated comment --- app/code/Magento/Reports/i18n/de_DE.csv | 2 +- app/code/Magento/Reports/i18n/en_US.csv | 2 +- app/code/Magento/Reports/i18n/es_ES.csv | 2 +- app/code/Magento/Reports/i18n/fr_FR.csv | 2 +- app/code/Magento/Reports/i18n/nl_NL.csv | 2 +- app/code/Magento/Reports/i18n/pt_BR.csv | 2 +- app/code/Magento/Reports/i18n/zh_Hans_CN.csv | 2 +- .../adminhtml/templates/report/wishlist.phtml | 2 +- .../Test/Integrity/Phrase/ArgumentsTest.php | 71 ++++++++++++------- 9 files changed, 53 insertions(+), 34 deletions(-) diff --git a/app/code/Magento/Reports/i18n/de_DE.csv b/app/code/Magento/Reports/i18n/de_DE.csv index b2bd8ea9e794c..3516759876a95 100644 --- a/app/code/Magento/Reports/i18n/de_DE.csv +++ b/app/code/Magento/Reports/i18n/de_DE.csv @@ -170,7 +170,7 @@ Statistics,Statistik "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/en_US.csv b/app/code/Magento/Reports/i18n/en_US.csv index 03173d8b230fd..a6e87ca7d64cc 100644 --- a/app/code/Magento/Reports/i18n/en_US.csv +++ b/app/code/Magento/Reports/i18n/en_US.csv @@ -170,7 +170,7 @@ Statistics,Statistics "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/es_ES.csv b/app/code/Magento/Reports/i18n/es_ES.csv index 26595380f01b5..be3fb0408acf1 100644 --- a/app/code/Magento/Reports/i18n/es_ES.csv +++ b/app/code/Magento/Reports/i18n/es_ES.csv @@ -170,7 +170,7 @@ Statistics,Estadísticas "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/fr_FR.csv b/app/code/Magento/Reports/i18n/fr_FR.csv index 488b76e42c438..25e1b3e10537b 100644 --- a/app/code/Magento/Reports/i18n/fr_FR.csv +++ b/app/code/Magento/Reports/i18n/fr_FR.csv @@ -170,7 +170,7 @@ Statistics,Statistiques "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/nl_NL.csv b/app/code/Magento/Reports/i18n/nl_NL.csv index d35cbaf6f8596..84a851868ee6f 100644 --- a/app/code/Magento/Reports/i18n/nl_NL.csv +++ b/app/code/Magento/Reports/i18n/nl_NL.csv @@ -170,7 +170,7 @@ Statistics,Statistieken "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/pt_BR.csv b/app/code/Magento/Reports/i18n/pt_BR.csv index 03072fb8a8dc2..ce4625ae9e3d7 100644 --- a/app/code/Magento/Reports/i18n/pt_BR.csv +++ b/app/code/Magento/Reports/i18n/pt_BR.csv @@ -170,7 +170,7 @@ Statistics,Estatísticas "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv b/app/code/Magento/Reports/i18n/zh_Hans_CN.csv index 3b36163f6b0e3..b1836655f4298 100644 --- a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Reports/i18n/zh_Hans_CN.csv @@ -170,7 +170,7 @@ Statistics,状态 "Most Viewed Products Report","Most Viewed Products Report" "Show By","Show By" "Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" +"Customers that have wish list: %1","Customers that have wish list: %1" "Number of wish lists: %1","Number of wish lists: %1" "Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" "Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" diff --git a/app/code/Magento/Reports/view/adminhtml/templates/report/wishlist.phtml b/app/code/Magento/Reports/view/adminhtml/templates/report/wishlist.phtml index 12508cd9e178f..35ddff5f5ccfa 100644 --- a/app/code/Magento/Reports/view/adminhtml/templates/report/wishlist.phtml +++ b/app/code/Magento/Reports/view/adminhtml/templates/report/wishlist.phtml @@ -10,7 +10,7 @@
getCustomerWithWishlist()) + /* @escapeNotVerified */ echo __('Customers that have Wish List: %1', $block->getCustomerWithWishlist()) ?>
diff --git a/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php b/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php index a84ee25011ad9..1cbaecae183fa 100644 --- a/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php +++ b/dev/tests/static/testsuite/Magento/Test/Integrity/Phrase/ArgumentsTest.php @@ -12,7 +12,6 @@ /** * Scan source code for detects invocations of __() function or Phrase object, analyzes placeholders with arguments * and see if they not equal - * @SuppressWarnings(PHPMD.CyclomaticComplexity) */ class ArgumentsTest extends \Magento\Test\Integrity\Phrase\AbstractTestCase { @@ -42,7 +41,6 @@ protected function setUp() // the file below is the only file where strings are translated without corresponding arguments $componentRegistrar->getPath(ComponentRegistrar::MODULE, 'Magento_Translation') . '/Model/Js/DataProvider.php', - $componentRegistrar->getPath(ComponentRegistrar::MODULE, '') ]; } @@ -55,31 +53,10 @@ public function testArguments() continue; } $this->_phraseCollector->parse($file); - foreach ($this->_phraseCollector->getPhrases() as $phrase) { - if (empty(trim($phrase['phrase'], "'\"\t\n\r\0\x0B"))) { - $missedPhraseErrors[] = $this->_createMissedPhraseError($phrase); - } - if (preg_match_all('/%(\w+)/', $phrase['phrase'], $matches) || $phrase['arguments']) { - $placeholderCount = count(array_unique($matches[1])); - - if ($placeholderCount != $phrase['arguments']) { - // Check for zend placeholders %placehoder% and sprintf placeholder %s - if (preg_match_all('/(%(s)|(\w+)%)/', $phrase['phrase'], $placeHlders, PREG_OFFSET_CAPTURE)) { - - foreach ($placeHlders[0] as $ph) { - // Check if char after placeholder is not a digit or letter - $charAfterPh = $phrase['phrase'][$ph[1] + strlen($ph[0])]; - if (!preg_match('/[A-Za-z0-9]/', $charAfterPh)) { - $placeholderCount--; - } - } - } - if ($placeholderCount != $phrase['arguments']) { - $incorrectNumberOfArgumentsErrors[] = $this->_createPhraseError($phrase); - } - } - } + foreach ($this->_phraseCollector->getPhrases() as $phrase) { + $this->checkEmptyPhrases($phrase, $missedPhraseErrors); + $this->checkArgumentMismatch($phrase, $incorrectNumberOfArgumentsErrors); } } $this->assertEmpty( @@ -99,4 +76,46 @@ public function testArguments() ) ); } + + /** + * Will check if phrase is empty + * + * @param $phrase + * @param $missedPhraseErrors + */ + private function checkEmptyPhrases($phrase, &$missedPhraseErrors) + { + if (empty(trim($phrase['phrase'], "'\"\t\n\r\0\x0B"))) { + $missedPhraseErrors[] = $this->_createMissedPhraseError($phrase); + } + } + + /** + * Will check if the number of arguments does not match the number of placeholders + * + * @param $phrase + * @param $incorrectNumberOfArgumentsErrors + */ + private function checkArgumentMismatch($phrase, &$incorrectNumberOfArgumentsErrors) + { + if (preg_match_all('/%(\w+)/', $phrase['phrase'], $matches) || $phrase['arguments']) { + $placeholderCount = count(array_unique($matches[1])); + + // Check for zend placeholders %placeholder% and sprintf placeholder %s + if (preg_match_all('/%((s)|([A-Za-z]+)%)/', $phrase['phrase'], $placeHolders, PREG_OFFSET_CAPTURE)) { + + foreach ($placeHolders[0] as $ph) { + // Check if char after placeholder is not a digit or letter + $charAfterPh = $phrase['phrase'][$ph[1] + strlen($ph[0])]; + if (!preg_match('/[A-Za-z0-9]/', $charAfterPh)) { + $placeholderCount--; + } + } + } + + if ($placeholderCount != $phrase['arguments']) { + $incorrectNumberOfArgumentsErrors[] = $this->_createPhraseError($phrase); + } + } + } } From 6649b1766ab5bf38929b53d481fb65eea916291c Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Wed, 28 Oct 2015 15:20:23 -0500 Subject: [PATCH 10/27] MAGETWO-44473: Unable to get Carts information using search criteria - API - Updated api-functional test. --- .../testsuite/Magento/Quote/Api/CartRepositoryTest.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/dev/tests/api-functional/testsuite/Magento/Quote/Api/CartRepositoryTest.php b/dev/tests/api-functional/testsuite/Magento/Quote/Api/CartRepositoryTest.php index cb1e3c50a59d4..4be12f4e37a7c 100644 --- a/dev/tests/api-functional/testsuite/Magento/Quote/Api/CartRepositoryTest.php +++ b/dev/tests/api-functional/testsuite/Magento/Quote/Api/CartRepositoryTest.php @@ -183,7 +183,7 @@ public function testGetList() $requestData = ['searchCriteria' => $searchCriteria]; $serviceInfo = [ 'rest' => [ - 'resourcePath' => '/V1/carts' . '?' . http_build_query($requestData), + 'resourcePath' => '/V1/carts/search' . '?' . http_build_query($requestData), 'httpMethod' => \Magento\Framework\Webapi\Rest\Request::HTTP_METHOD_GET, ], 'soap' => [ @@ -221,7 +221,7 @@ public function testGetListThrowsExceptionIfProvidedSearchFieldIsInvalid() 'operation' => 'quoteCartRepositoryV1GetList', ], 'rest' => [ - 'resourcePath' => '/V1/carts', + 'resourcePath' => '/V1/carts/search', 'httpMethod' => \Magento\Framework\Webapi\Rest\Request::HTTP_METHOD_PUT, ], ]; From 4cf30e47625ca4e87129710c06a4f107ce3ab9cd Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Wed, 28 Oct 2015 16:05:08 -0500 Subject: [PATCH 11/27] MAGETWO-44459: Check javascript function calls and labels are translatable - correct attempt to call __() on variables. --- .../view/adminhtml/web/js/get-video-information.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js index b4ed2404490e7..ccbb4edc75035 100644 --- a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js +++ b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js @@ -63,14 +63,14 @@ require([ break; default: throw { - name: 'Video Error', - message: 'Unknown video type', + name: $.mage.__('Video Error'), + message: $.mage.__('Unknown video type'), /** * Return string */ toString: function () { - return $.mage.__(this.name + ': ' + this.message); + return this.name + this.message; } }; } From e6ae5b0cc6cce455066c1a6ccff15ef9e3537143 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Wed, 28 Oct 2015 16:28:17 -0500 Subject: [PATCH 12/27] MAGETWO-44459: Check javascript function calls and labels are translatable - restore message formatting --- .../ProductVideo/view/adminhtml/web/js/get-video-information.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js index ccbb4edc75035..8c7d5c4f83837 100644 --- a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js +++ b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js @@ -70,7 +70,7 @@ require([ * Return string */ toString: function () { - return this.name + this.message; + return this.name + ': ' + this.message; } }; } From 692a183568b8fff21f1dcd1965d243a9c0bfd45d Mon Sep 17 00:00:00 2001 From: Eugene Tulika Date: Wed, 28 Oct 2015 16:33:07 -0500 Subject: [PATCH 13/27] MAGETWO-44733: Installation fails after adding etc/integration/api.xml file to the module - Fixed Config Reader --- .../Magento/Integration/Model/Config/Integration/Reader.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/app/code/Magento/Integration/Model/Config/Integration/Reader.php b/app/code/Magento/Integration/Model/Config/Integration/Reader.php index eeb16cda0a875..dc6e2c8bbd5a8 100644 --- a/app/code/Magento/Integration/Model/Config/Integration/Reader.php +++ b/app/code/Magento/Integration/Model/Config/Integration/Reader.php @@ -37,7 +37,7 @@ public function __construct( Converter $converter, SchemaLocator $schemaLocator, \Magento\Framework\Config\ValidationStateInterface $validationState, - $fileName = 'integration\api.xml', + $fileName = 'integration/api.xml', $idAttributes = [], $domDocumentClass = 'Magento\Framework\Config\Dom', $defaultScope = 'global' From d1eb1235784d9bedde6f640ae139a8556693000a Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Thu, 29 Oct 2015 14:51:56 -0500 Subject: [PATCH 14/27] MAGETWO-44071: No insecured integration icon displayed. - Imported css to local css file for error icon to appear. --- .../view/adminhtml/web/integration.css | 20 +++++++++++++++++++ 1 file changed, 20 insertions(+) diff --git a/app/code/Magento/Integration/view/adminhtml/web/integration.css b/app/code/Magento/Integration/view/adminhtml/web/integration.css index ad47856f865e2..8eaedb50e85f9 100644 --- a/app/code/Magento/Integration/view/adminhtml/web/integration.css +++ b/app/code/Magento/Integration/view/adminhtml/web/integration.css @@ -49,6 +49,26 @@ opacity: 0.6; } +#integrationGrid_table .icon-error { + margin-left: 15px; + color: #c00815; + font-size: 11px; +} +#integrationGrid_table .icon-error:before { + font-family: 'MUI-Icons'; + content: "\e086"; + font-size: 13px; + line-height: 13px; + overflow: hidden; + speak: none; + font-weight: normal; + -webkit-font-smoothing: antialiased; + display: inline-block; + vertical-align: middle; + text-align: center; + margin: -1px 5px 0 0; +} + .ui-dialog .ui-dialog-buttonpane .ui-dialog-buttonset { float: none; } From 94e03683df2798b0003d8700e3f255faa0ac7190 Mon Sep 17 00:00:00 2001 From: Hayder Sharhan Date: Fri, 30 Oct 2015 14:32:37 -0500 Subject: [PATCH 15/27] MAGETWO-44728: [HHVM] Can't create admin role "Given encoding not supported on this OS!" - Override for setEncoding method in zf1 because of incorrect checking for the result of ini_set. Now it takes care of case where the previous setting is "". --- .../Framework/Validator/StringLength.php | 31 +++++++++++++++++++ 1 file changed, 31 insertions(+) diff --git a/lib/internal/Magento/Framework/Validator/StringLength.php b/lib/internal/Magento/Framework/Validator/StringLength.php index d69a6a1dad8fc..45d017f44c07f 100644 --- a/lib/internal/Magento/Framework/Validator/StringLength.php +++ b/lib/internal/Magento/Framework/Validator/StringLength.php @@ -13,4 +13,35 @@ class StringLength extends \Zend_Validate_StringLength implements \Magento\Frame * @var string */ protected $_encoding = 'UTF-8'; + + /** + * {@inheritdoc} + */ + public function setEncoding($encoding = null) + { + if ($encoding !== null) { + $orig = PHP_VERSION_ID < 50600 + ? iconv_get_encoding('internal_encoding') + : ini_get('default_charset'); + if (PHP_VERSION_ID < 50600) { + $result = iconv_set_encoding('internal_encoding', $encoding); + } else { + ini_set('default_charset', $encoding); + $result = ini_get('default_charset'); + } + if (!$result) { + #require_once 'Zend/Validate/Exception.php'; + throw new Zend_Validate_Exception('Given encoding not supported on this OS!'); + } + + if (PHP_VERSION_ID < 50600) { + iconv_set_encoding('internal_encoding', $orig); + } else { + ini_set('default_charset', $orig); + } + } + + $this->_encoding = $encoding; + return $this; + } } From 462a81d6f29cbfd17376205a82bc8051c215c334 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Sat, 31 Oct 2015 16:09:24 -0500 Subject: [PATCH 16/27] MAGETWO-44459: Check javascript function calls and labels are translatable - remove whitespace from translation files --- app/code/Magento/Developer/i18n/de_DE.csv | 2 +- app/code/Magento/Developer/i18n/en_US.csv | 2 +- app/code/Magento/Developer/i18n/es_ES.csv | 2 +- app/code/Magento/Developer/i18n/fr_FR.csv | 2 +- app/code/Magento/Developer/i18n/nl_NL.csv | 2 +- app/code/Magento/Developer/i18n/pt_BR.csv | 2 +- app/code/Magento/Developer/i18n/zh_Hans_CN.csv | 2 +- 7 files changed, 7 insertions(+), 7 deletions(-) diff --git a/app/code/Magento/Developer/i18n/de_DE.csv b/app/code/Magento/Developer/i18n/de_DE.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/de_DE.csv +++ b/app/code/Magento/Developer/i18n/de_DE.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/en_US.csv b/app/code/Magento/Developer/i18n/en_US.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/en_US.csv +++ b/app/code/Magento/Developer/i18n/en_US.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/es_ES.csv b/app/code/Magento/Developer/i18n/es_ES.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/es_ES.csv +++ b/app/code/Magento/Developer/i18n/es_ES.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/fr_FR.csv b/app/code/Magento/Developer/i18n/fr_FR.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/fr_FR.csv +++ b/app/code/Magento/Developer/i18n/fr_FR.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/nl_NL.csv b/app/code/Magento/Developer/i18n/nl_NL.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/nl_NL.csv +++ b/app/code/Magento/Developer/i18n/nl_NL.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/pt_BR.csv b/app/code/Magento/Developer/i18n/pt_BR.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/pt_BR.csv +++ b/app/code/Magento/Developer/i18n/pt_BR.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" diff --git a/app/code/Magento/Developer/i18n/zh_Hans_CN.csv b/app/code/Magento/Developer/i18n/zh_Hans_CN.csv index 579ef6ee7c8c6..e9c858101b71c 100644 --- a/app/code/Magento/Developer/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Developer/i18n/zh_Hans_CN.csv @@ -2,4 +2,4 @@ "Workflow type","Workflow type" "Server side less compilation","Server side less compilation" "Client side less compilation","Client side less compilation" -"Not available in production mode"," Not available in production mode" +"Not available in production mode","Not available in production mode" From fa958626228c7f1d158d8ebe38953ac1e00d24f4 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Sun, 1 Nov 2015 11:27:14 -0600 Subject: [PATCH 17/27] MAGETWO-44459: Check javascript function calls and labels are translatable - revert unintended file deletions --- pub/errors/404.php | 12 + pub/errors/503.php | 12 + pub/errors/default/404.phtml | 8 + pub/errors/default/503.phtml | 9 + pub/errors/default/css/styles.css | 6 + pub/errors/default/images/favicon.ico | Bin 0 -> 1150 bytes pub/errors/default/images/i_msg-error.gif | Bin 0 -> 1009 bytes pub/errors/default/images/i_msg-note.gif | Bin 0 -> 1021 bytes pub/errors/default/images/i_msg-success.gif | Bin 0 -> 1024 bytes pub/errors/default/images/logo.gif | Bin 0 -> 3601 bytes pub/errors/default/nocache.phtml | 9 + pub/errors/default/page.phtml | 23 + pub/errors/default/report.phtml | 78 +++ pub/errors/design.xml | 10 + pub/errors/local.xml.sample | 31 + pub/errors/noCache.php | 12 + pub/errors/processor.php | 596 ++++++++++++++++++++ pub/errors/processorFactory.php | 28 + pub/errors/report.php | 15 + pub/media/customer/.htaccess | 2 + pub/media/downloadable/.htaccess | 2 + pub/media/import/.htaccess | 2 + pub/media/theme_customization/.htaccess | 5 + pub/opt/magento/var/resource_config.json | 1 + 24 files changed, 861 insertions(+) create mode 100644 pub/errors/404.php create mode 100644 pub/errors/503.php create mode 100644 pub/errors/default/404.phtml create mode 100644 pub/errors/default/503.phtml create mode 100644 pub/errors/default/css/styles.css create mode 100644 pub/errors/default/images/favicon.ico create mode 100644 pub/errors/default/images/i_msg-error.gif create mode 100644 pub/errors/default/images/i_msg-note.gif create mode 100644 pub/errors/default/images/i_msg-success.gif create mode 100644 pub/errors/default/images/logo.gif create mode 100644 pub/errors/default/nocache.phtml create mode 100644 pub/errors/default/page.phtml create mode 100644 pub/errors/default/report.phtml create mode 100644 pub/errors/design.xml create mode 100644 pub/errors/local.xml.sample create mode 100644 pub/errors/noCache.php create mode 100644 pub/errors/processor.php create mode 100644 pub/errors/processorFactory.php create mode 100644 pub/errors/report.php create mode 100644 pub/media/customer/.htaccess create mode 100644 pub/media/downloadable/.htaccess create mode 100644 pub/media/import/.htaccess create mode 100644 pub/media/theme_customization/.htaccess create mode 100644 pub/opt/magento/var/resource_config.json diff --git a/pub/errors/404.php b/pub/errors/404.php new file mode 100644 index 0000000000000..93cbc7d7c755a --- /dev/null +++ b/pub/errors/404.php @@ -0,0 +1,12 @@ +createProcessor(); +$response = $processor->process404(); +$response->sendResponse(); diff --git a/pub/errors/503.php b/pub/errors/503.php new file mode 100644 index 0000000000000..feea18844498b --- /dev/null +++ b/pub/errors/503.php @@ -0,0 +1,12 @@ +createProcessor(); +$response = $processor->process503(); +$response->sendResponse(); diff --git a/pub/errors/default/404.phtml b/pub/errors/default/404.phtml new file mode 100644 index 0000000000000..5baa86a326724 --- /dev/null +++ b/pub/errors/default/404.phtml @@ -0,0 +1,8 @@ + + +

404 error: Page not found.

diff --git a/pub/errors/default/503.phtml b/pub/errors/default/503.phtml new file mode 100644 index 0000000000000..439db9c733100 --- /dev/null +++ b/pub/errors/default/503.phtml @@ -0,0 +1,9 @@ + + +

Service Temporarily Unavailable

+

The server is temporarily unable to service your request due to maintenance downtime or capacity problems. Please try again later.

diff --git a/pub/errors/default/css/styles.css b/pub/errors/default/css/styles.css new file mode 100644 index 0000000000000..17f76d0346514 --- /dev/null +++ b/pub/errors/default/css/styles.css @@ -0,0 +1,6 @@ +/** + * Copyright © 2015 Magento. All rights reserved. + * See COPYING.txt for license details. + */ + +body{background:#fff;color:#333;font-family:Arial,Helvetica,sans-serif;font-size:14px;line-height:1.4;margin:0;padding:0;text-align:left}main{display:block}img{border:0}a{color:#1979c3;text-decoration:underline}a:hover{text-decoration:none}h1{font-size:30px;font-weight:700;margin:0 0 20px}h2{font-size:20px;font-weight:700;margin:0 0 10px}input[type=text],textarea{box-sizing:border-box;background:#fff;border:1px solid #c2c2c2;border-radius:1px;width:100%;font-size:14px;font-family:Arial,Helvetica,sans-serif;line-height:1.42857143;background-clip:padding-box;vertical-align:baseline}input[type=text]{height:32px;padding:0 9px}textarea{height:auto;padding:10px;resize:vertical}input[type=text]:focus,textarea:focus{box-shadow:0 0 3px 1px #68a8e0}button{background:#1979c3;border:none;border-radius:3px;color:#fff;cursor:pointer;display:inline-block;font-size:14px;font-weight:700;line-height:16px;padding:7px 15px;text-align:center}button:hover{background:#006bb4}p{margin:0 0 10px}ol,ul{list-style:none}.page-main{padding:20px 30px}.trace{background:#f1f1f1;min-height:250px;overflow:auto;width:100%}.message{border:1px solid;background-position:10px 11px;background-repeat:no-repeat;margin:20px 0;padding:10px 20px 10px 35px}.error{border-color:#b30000;background-color:#fae5e5;background-image:url(../images/i_msg-error.gif);color:#b30000}.success{border-color:#006400;background-color:#e5efe5;background-image:url(../images/i_msg-success.gif);color:#006400}.info{border-color:#6f4400;background-color:#fdf0d5;background-image:url(../images/i_msg-note.gif);color:#6f4400}.fieldset{border:0;margin:0 0 20px;padding:0}.fieldset .legend{box-sizing:border-box;float:left;font-size:20px;line-height:1.2;margin:0 0 25px;padding:0}.fieldset .legend+br{display:block;clear:both;height:0;overflow:hidden;visibility:hidden}.fieldset:last-child{margin-bottom:0}.fieldset:after{content:attr(data-hasrequired);color:#e02b27;display:block;font-size:12px;letter-spacing:normal;margin:10px 0 0;word-spacing:normal}.field{margin:0 0 20px}.label{font-weight:700}.label:after{content:"*";font-size:12px;color:#e02b27;margin:0 0 0 5px} diff --git a/pub/errors/default/images/favicon.ico b/pub/errors/default/images/favicon.ico new file mode 100644 index 0000000000000000000000000000000000000000..1cb7c7713718b5d6b7995734db32a1fdf9bf5b16 GIT binary patch literal 1150 zcmbW0Ye*DP6vwX^1rg|{D2R%%(oIFQLd`Ub#7u+0SDCM6g#;rkDj`yX`XG@M24!E0 zz_uv0GKI=oGi|j18(PQh5~AIFMN>Vr?{s11Ieh<5RRkrs|SlPMe#D7yItHna zk7c#od`8jMN7en6V*l-Sw_!R*WFm+79GiyE@S6UF0Ngjv@kDdKznMe!KHG?v4#A1tU z7|;6O^IpM5rkznP!1PYh_9JWODv)RWSCevW_{Do6QQ!vq&W9SD_&(*u<2MTOtL-q4 zs7wxM>6XnG=hM*?h4;D^-uI?j4p8W89oTIUeLBY*9KD~$XaZaE{X2@H zhFE!J+4WZUS#}PQ#jNnC9ktDFpJi8w(ELT!;`oz3sYG+o-a0~l17QCCKmY&$ literal 0 HcmV?d00001 diff --git a/pub/errors/default/images/i_msg-error.gif b/pub/errors/default/images/i_msg-error.gif new file mode 100644 index 0000000000000000000000000000000000000000..2a7b061ecd97dc2ebca2af4caab27ce0427786c8 GIT binary patch literal 1009 zcmZ?wbhEHb6krfw_|CxarXc!NPUO4dn9nr{uk)gQ?_K#kJ^VvO{QI)luT9C1;)7pg zMtrP_|6G^&W6OePsbSwbv!5n~e!F?;*U5dKR?h#tY~ruG*S<6)J?(40Gri+(ZT=xI z!>5~9e7bV(>xRWwQi2Zq7{8fR|E;U&Q&-WsSf4L5TRyIs|Ejn8O?Um{meP-tn_kvt zT#a{oRT}eh>9lWKmYhxWei$3{Yv;-j)0^MyTK}Lp;n&T}Z)S9UIlSZ9mX$wlU-`9X z#moHo$7#`z6GPtAr+=I~;pfg}PYWZSPi+0MsPkfCz~`&yzBXrmTsrehPsx+?n7esl zXW~6SUOw}#Iq!RG_EA66*PXR*Cv|>Vv+(2emWM@AZ|6^a)=}~4;I^L=E8ne}eKFDV zOsMs-DCg%nv3Cn%zi(c0EY$Aa%^fZ|UUMh1ok1|5(SKzYJ};~WDcr;Nvj1qZ}x@5wkQ z95^J_{ONOj_9K*lo1Q#&Xh= zR=#H8a{-zOY)mXl)=nG;jS9}o_7>}vq-+p4D=yCT`ou@$hJ1Gh-^v@A$`^QN3NZ;V xM2&yFa^NXhL0%=ZK*76!c>=WWK8$!B8?~jIm+1jfNmckRm$NGd||{S%bd=1 z)7M2As{HBhBS=I1_`Lw*3*KDgS;p3byic}id+?43bA6Is8AsSPu?PGt@={ED4rxln zk%@tUL6$MwrW*+JIKXB?L-~~jyP^*XPQ)BG$gvaw3G%7F5%U}r&HYHvBeCsz@z%~6WZDg56lQfdheqijqG}^-0hFMB!c$cbvd*RuO zT61p}V;*No6^%9leOP>4^xOkCT%Dn>h8goG8m%LAdB83s3>AeXV#`!JIp1g3oWf@_ zG4(aOx*;torbZ$)58N5c@dfxOOBr!(Hbu_k`cB%?3dk8u*T%BS>lflD?gtI$??HMC z?bFG)?h1j9&MJE!=A021-v;;(%Gk|VzOsx7kQ#lSi}eRQuNeY14NGY$(qPnnr;G)} zOfzljsi~=>aDCD3K#DR!|M_Qu4WuInf}TOXf33ey@SP{15En-5Qz~}2(dB_|i&jZi zt!Qm=F5N#Q+5)aa?n>D|K^7+)nR4 zuAoS|d~Mb;-%Ff*4iUl5Tu3Ndw%T9d=m*tEvOWDup4O4GPDdneOCGyt=fX>?p}UUZ xkG$q`%0!;0y`Hb+%Y?2gE8K6-m2W(~e(sG)MJF=;{QbTC;rgu)*HxX#%|Dcw zyFGl}^@Z!NFW7Qx*_NA2_dni|cO+@$?dd+#ZSTIiWn67A{Y-1|u9)?AmgOBuG^sbt z-x^V{KRo-eSMl+*lnp+ahdef2*$}eHr1fa&)@vK~J>FJ%Fs0;hir;L}h8^a<+v{JKlWl-KBzq$;)p{ z_Sm5Q_WSG3BW1^)?<(0IZPI7xw7|%DfstL0)t38f>UU%o?1+5);oh{#{04mG$xGhq9BIHM>&E_atn*yZqLZn|)imzx?`i@Aa+j z6BS$TuDbc=%BJ{&+8c zYviWeD{A+oZN0zd;k(9&#+ z8MXV;qxPA%pR8=&mpk)fcjj@=z;Ezcxt zfwO{`9D{(0KybsweuvOG9t#a7xbS#r8vNAU{K9deEHjtiq?8Wt28O7bjs=bznq{0) zI#M1iVF*=Q{bZ1LiAoN{S_p+>~4 zV)4<#ce!|^*pZDN)Orq>2Ah2~EPlu}pEsZ>;^Km)gbs~@XHPCRr#Q9FNNMKh;b5=^ E03d&PtN;K2 literal 0 HcmV?d00001 diff --git a/pub/errors/default/images/logo.gif b/pub/errors/default/images/logo.gif new file mode 100644 index 0000000000000000000000000000000000000000..ebe91f2c4b5f7ca1572e6097e728e2f985a7014f GIT binary patch literal 3601 zcmbVO2{crH8@3Y$$zDwMeM<;4$Szq1LzZNT#*!sP7)x0qTXtg^vX?DcQ^;1bFG(n} zPGbp~F^i>d_=(SdyZxE{ zL;f24lm2P=UkEfz9ud zBLR7h@bvnzRjvgt0YofyAs}t=xySqdR~+}8JUajQWh3?D5fEaf7ik=qqJ6C7m>=Ws zDv9jHD&mqalL(=}77OPm5n|>jiMj z`U5epdP-CEjC@1xY@iQ2KYEQ1*2ehCZMy|>pKNB~5V~=m>#K%|bkVO)J9Ua){$wNS z%wZBcfx>?qN`~|i50!Fc`qNsCttb~VZJ&LNyyM^>%`qHdVWYg;P`#siEfBhqJolxn z?mh-ma%KFr-v}AmsbNE%%a*XY&744cOMSk#;enjq*4{q#1LM@sB=aK7?I~(Do*QJ9 ziE*&7P!&atvyt=1L8#)W!NwbqG_ExJ;Q{wlZP}?*BN?##YVa1=C#$g}dw%dulL3U~ z?v{Ut#$FqtEoishXLV|o{OzwI(6_f69Yo{#L!64({)0oS^l8&e0{d0K4lmcA%S%kO zzgGDw#gg3AY4>n8D~krJg4~HhOfKpgpIvx0&vnCN&tNP*2t@}T+q~A5Sqq+2UTP=k^MMm@ z$l@N7CEhrkX5NDBa%cV!pPn5$%Gr20pu?6G)`lvU2|xI*@d{Ms8oTO`?hkieV_|Zw z51o3oP_fIc5gfm=R^A=7Qa1IS;`-6xPho^o^k{9<7Fzdir8oavWDo;IOi42wzLE-h z+Kx>QMDJjgH}jSzDnCO_fR_za62HQbI_!ZAXi?uUU$rOfqzX3E*tU*l`>Xbm?T54_ zUVE>Tr4PSvm0{wSBX#dkR=v-ju>0|H7O{=7S|8XNWR-!BjTg*4DpLJ$*c9{J+=mm) za466=*?Mcf5My*{n9`cG(xw zYKA8k5YNP-Rudvh(Tda$QMBvv+szUqqTsbENkhJ1u=>q7huZnBdA^LAq;ix$7Sc|T z3BcTF4=Ak#9_CeM$}(zcBrY|Hl=|7%6}E783M%3iGH5I{l#>i?>rx%2r1NxUXWnWX z<+ZGk_0x%da-qm27xm`JrdO@#cWGzgjD14D1)$Cj$nyq2s_;zh+CWQl@a_i&z?tP-X&Nwe?gnq=*xUyC3(9Te{W`(68(KC}=VPncH&BEU2~r zyL>e4pf|IFCY{=%KvoG?{(f0ezog^f6ogT$R!{+;i=X|#R%V%Gp~)rj(_kWheH%N@ ziMIY`7ZCN-S%uGH@EfZEatme8*t79Pu_mpVXkm3Fc|D``Vh}mM@dL+3p7(=hm6P<@ z@kT?uA3Z7HJC|?zY~a>@&o2 zR|Dd+O9rgf06GPFo-r-ZH!tbNcqW;1uCtF7hP}KPB(8kV=T((Ay(t%bJ0-gze+ARi z>47I_UQ{#TOFF95o*2=gIdfJ?i>m+>oQUBPsp0J@A_KU|*E)UD6G*>k)xuDUOBE>P z4W+;C-oBUeaxfO1=6Co2p-^gGxFcc1v&~Li*4O7X5e_RWq-o&jd8OZ>eMYUyZE=uZ zM0CbalPDHMZ_2*@`Siq6S4gUhs5;@Y5-OL#2G1S}dda0hXQ{}i74>=9=b_NB!^1}< zH-t^&!xpI$v%|#ep>oCZdJqkNqs0Lr(Taze0}r3{W~A@Nf_jw2yWHu%jwd^42(`g= zKio0p5(d{ase#2cC9Emhbi}}My3jPTMb2u<(;hNG`HkE{Ttp{(Lsr&EA?;C@Jj|K> zR}9H~Ds8V>n)|{e-cH65q!?f#t*tYNJu_8x8;^KHvx^Hh2Y?9|=UtZl{L_@(v1o;! zzS!NxFgktf$96SB6*)qiJk(-CAa95C-N&$eE;i;lIj|v*-Obq%JY+m1b^$P9iRYkU-U>z09f;?micr2AeVTXB*U4-o3SA~ z@T9ACrwl;?Ls0&z8q4jJ)IOmR45*dznt_%%GH^08BGSE~iZ23r^I^sCFsoRnjBPEv z57*`HU&$vNs-EwB1hRiV`Q5X3BBFo5IgqBbGNr4yiL1QTqfW}vBqU6eh}e*bsjpvf zp5JEU5V;EgV))(!%Y9?t^5_SinnO{Fe(DOwsk@tP+{8zwN%tddrA)EV z?3YYmQ#I7`)bDj;M%0ymqNK9I`7f5w(2hX*C`~os+L-Wgmy4#I(s3P*93oz@d(CV0 z-Tos?rs2dJBMEEVlh-Pv_w}ea*-NE_e{lK@bo4RlYIvZpX7uWp!+fQJ>EdxNK+Oif z#}d95gL$MXMKhNr->=#oIUsTJKOZ$)J1p9XcFITT042(g;8QN3eIuWU?!L+{On8>Y z0fyW6JmMZvmc!8d0yvuHdaV)Z`*Bb-bj{>&N5ls@T{Bf}dJaVhUqLmL1rf`R>SY>U zNg25+1Y$u{qZMn@ut6=?VLdswHoCa$pZm~j{TGsHkL*OleWv%<JiH zQ=3^kNm5@zj($1UTGQCu#Ck;`(V*Z3(|H&wNiQOXvoBG9M%&-op{j3FUaWp#2o*e( z0iJE~hgo7uR9 z^iywAeD~%y{rN-h#nYSt@yaGXodvEdWQf-h)?*<=&54AwEo)Hs1!?5v8Eo6?J}UppTll*RiF>dXw+4SiqC| zuv^ouI$}QWw<*^XBzLA-n3}SVMAJL421VR=23}02Q$MxYb~Z7y6KIXDld3#*cC_WR zWp%U47I!lHobP;L@!lpgtJR!auxkzLk*xLylm--GQ9Q + +

Service Temporarily Unavailable

+

The application can't retrieve cached config data. Please try again later.

diff --git a/pub/errors/default/page.phtml b/pub/errors/default/page.phtml new file mode 100644 index 0000000000000..2a40b5b0895fd --- /dev/null +++ b/pub/errors/default/page.phtml @@ -0,0 +1,23 @@ + + + + + <?php echo $this->pageTitle?> + + + + + + + + +
+ +
+ + diff --git a/pub/errors/default/report.phtml b/pub/errors/default/report.phtml new file mode 100644 index 0000000000000..325ff8db8d6e1 --- /dev/null +++ b/pub/errors/default/report.phtml @@ -0,0 +1,78 @@ + + +

There has been an error processing your request

+showSentMsg): ?> +
+
Your message was submitted and will be responded as soon as possible. Thank you for reporting.
+
+ +showSendForm): ?> +
+
+ We are currently experiencing some technical issues. We apologize for the inconvenience and will contact you shortly to resolve the issue. To help us serve you please fill in the form below. +
+
+ showErrorMsg): ?> +
+
+ Please fill all required fields with valid information +
+
+ +
getBaseUrl(true)}errors/report.php?id={$this->reportId}" ?>" method="post" id="form-validate" class="form"> +
+ Personal Information
+
+ +
+ +
+
+
+ +
+ +
+
+ +
+ +
+ +
+
+
+ +
+ +
+
+
+
+ +
+
+reportAction): ?> +

Exception printing is disabled by default for security reasons.

+ + +reportAction == 'print'): ?> +
+
+
reportData[0]) ?>
+
+
+ +reportId): ?> +

Error log record number: reportId ?>

+ diff --git a/pub/errors/design.xml b/pub/errors/design.xml new file mode 100644 index 0000000000000..8fb98196ce4e4 --- /dev/null +++ b/pub/errors/design.xml @@ -0,0 +1,10 @@ + + + + default + diff --git a/pub/errors/local.xml.sample b/pub/errors/local.xml.sample new file mode 100644 index 0000000000000..427ff33345101 --- /dev/null +++ b/pub/errors/local.xml.sample @@ -0,0 +1,31 @@ + + + + default + + + print + + Store Debug Information + + + + leave + + diff --git a/pub/errors/noCache.php b/pub/errors/noCache.php new file mode 100644 index 0000000000000..a6ad467d929c0 --- /dev/null +++ b/pub/errors/noCache.php @@ -0,0 +1,12 @@ +createProcessor(); +$response = $processor->processNoCache(); +$response->sendResponse(); diff --git a/pub/errors/processor.php b/pub/errors/processor.php new file mode 100644 index 0000000000000..81b797f62f310 --- /dev/null +++ b/pub/errors/processor.php @@ -0,0 +1,596 @@ +_response = $response; + $this->_errorDir = __DIR__ . '/'; + $this->_reportDir = dirname(dirname($this->_errorDir)) . '/var/report/'; + + if (!empty($_SERVER['SCRIPT_NAME'])) { + if (in_array(basename($_SERVER['SCRIPT_NAME'], '.php'), ['404', '503', 'report'])) { + $this->_scriptName = dirname($_SERVER['SCRIPT_NAME']); + } else { + $this->_scriptName = $_SERVER['SCRIPT_NAME']; + } + } + + $reportId = (isset($_GET['id'])) ? (int)$_GET['id'] : null; + if ($reportId) { + $this->loadReport($reportId); + } + + $this->_indexDir = $this->_getIndexDir(); + $this->_root = is_dir($this->_indexDir . 'app'); + + $this->_prepareConfig(); + if (isset($_GET['skin'])) { + $this->_setSkin($_GET['skin']); + } + } + + /** + * Process no cache error + * + * @return \Magento\Framework\App\Response\Http + */ + public function processNoCache() + { + $this->pageTitle = 'Error : cached config data is unavailable'; + $this->_response->setBody($this->_renderPage('nocache.phtml')); + return $this->_response; + } + + /** + * Process 404 error + * + * @return \Magento\Framework\App\Response\Http + */ + public function process404() + { + $this->pageTitle = 'Error 404: Not Found'; + $this->_response->setHttpResponseCode(404); + $this->_response->setBody($this->_renderPage('404.phtml')); + return $this->_response; + } + + /** + * Process 503 error + * + * @return \Magento\Framework\App\Response\Http + */ + public function process503() + { + $this->pageTitle = 'Error 503: Service Unavailable'; + $this->_response->setHttpResponseCode(503); + $this->_response->setBody($this->_renderPage('503.phtml')); + return $this->_response; + } + + /** + * Process report + * + * @return \Magento\Framework\App\Response\Http + */ + public function processReport() + { + $this->pageTitle = 'There has been an error processing your request'; + $this->_response->setHttpResponseCode(503); + + $this->showErrorMsg = false; + $this->showSentMsg = false; + $this->showSendForm = false; + $this->reportAction = $this->_config->action; + $this->_setReportUrl(); + + if ($this->reportAction == 'email') { + $this->showSendForm = true; + $this->sendReport(); + } + $this->_response->setBody($this->_renderPage('report.phtml')); + return $this->_response; + } + + /** + * Retrieve skin URL + * + * @return string + */ + public function getViewFileUrl() + { + //The url needs to be updated base on Document root path. + return $this->getBaseUrl() . + str_replace( + str_replace('\\', '/', $this->_indexDir), + '', + str_replace('\\', '/', $this->_errorDir) + ) . $this->_config->skin . '/'; + } + + /** + * Retrieve base host URL without path + * + * @return string + */ + public function getHostUrl() + { + /** + * Define server http host + */ + if (!empty($_SERVER['HTTP_HOST'])) { + $host = $_SERVER['HTTP_HOST']; + } elseif (!empty($_SERVER['SERVER_NAME'])) { + $host = $_SERVER['SERVER_NAME']; + } else { + $host = 'localhost'; + } + + $isSecure = (!empty($_SERVER['HTTPS'])) && ($_SERVER['HTTPS'] != 'off'); + $url = ($isSecure ? 'https://' : 'http://') . $host; + + if (!empty($_SERVER['SERVER_PORT']) && !in_array($_SERVER['SERVER_PORT'], [80, 433]) + && !preg_match('/.*?\:[0-9]+$/', $url) + ) { + $url .= ':' . $_SERVER['SERVER_PORT']; + } + return $url; + } + + /** + * Retrieve base URL + * + * @param bool $param + * @return string + */ + public function getBaseUrl($param = false) + { + $path = $this->_scriptName; + + if ($param && !$this->_root) { + $path = dirname($path); + } + + $basePath = str_replace('\\', '/', dirname($path)); + return $this->getHostUrl() . ('/' == $basePath ? '' : $basePath) . '/'; + } + + /** + * Retrieve client IP address + * + * @return string + */ + protected function _getClientIp() + { + return (isset($_SERVER['REMOTE_ADDR'])) ? $_SERVER['REMOTE_ADDR'] : 'undefined'; + } + + /** + * Get index dir + * + * @return string + */ + protected function _getIndexDir() + { + $documentRoot = ''; + if (!empty($_SERVER['DOCUMENT_ROOT'])) { + $documentRoot = rtrim($_SERVER['DOCUMENT_ROOT'], '/'); + } + return dirname($documentRoot . $this->_scriptName) . '/'; + } + + /** + * Prepare config data + * + * @return void + */ + protected function _prepareConfig() + { + $local = $this->_loadXml(self::MAGE_ERRORS_LOCAL_XML); + $design = $this->_loadXml(self::MAGE_ERRORS_DESIGN_XML); + + //initial settings + $config = new \stdClass(); + $config->action = ''; + $config->subject = 'Store Debug Information'; + $config->email_address = ''; + $config->trash = 'leave'; + $config->skin = self::DEFAULT_SKIN; + + //combine xml data to one object + if (!is_null($design) && (string)$design->skin) { + $this->_setSkin((string)$design->skin, $config); + } + if (!is_null($local)) { + if ((string)$local->report->action) { + $config->action = $local->report->action; + } + if ((string)$local->report->subject) { + $config->subject = $local->report->subject; + } + if ((string)$local->report->email_address) { + $config->email_address = $local->report->email_address; + } + if ((string)$local->report->trash) { + $config->trash = $local->report->trash; + } + if ((string)$local->skin) { + $this->_setSkin((string)$local->skin, $config); + } + } + if ((string)$config->email_address == '' && (string)$config->action == 'email') { + $config->action = ''; + } + + $this->_config = $config; + } + + /** + * Load xml file + * + * @param string $xmlFile + * @return SimpleXMLElement + */ + protected function _loadXml($xmlFile) + { + $configPath = $this->_getFilePath($xmlFile); + return ($configPath) ? simplexml_load_file($configPath) : null; + } + + /** + * @param string $template + * @return string + */ + protected function _renderPage($template) + { + $baseTemplate = $this->_getTemplatePath('page.phtml'); + $contentTemplate = $this->_getTemplatePath($template); + + $html = ''; + if ($baseTemplate && $contentTemplate) { + ob_start(); + require_once $baseTemplate; + $html = ob_get_clean(); + } + return $html; + } + + /** + * Find file path + * + * @param string $file + * @param array $directories + * @return string + */ + protected function _getFilePath($file, $directories = null) + { + if (is_null($directories)) { + $directories[] = $this->_errorDir; + } + + foreach ($directories as $directory) { + if (file_exists($directory . $file)) { + return $directory . $file; + } + } + } + + /** + * Find template path + * + * @param string $template + * @return string + */ + protected function _getTemplatePath($template) + { + $directories[] = $this->_errorDir . $this->_config->skin . '/'; + + if ($this->_config->skin != self::DEFAULT_SKIN) { + $directories[] = $this->_errorDir . self::DEFAULT_SKIN . '/'; + } + + return $this->_getFilePath($template, $directories); + } + + /** + * Set report data + * + * @param array $reportData + * @return void + */ + protected function _setReportData($reportData) + { + $this->reportData = $reportData; + + if (!isset($reportData['url'])) { + $this->reportData['url'] = ''; + } else { + $this->reportData['url'] = $this->getHostUrl() . $reportData['url']; + } + + if ($this->reportData['script_name']) { + $this->_scriptName = $this->reportData['script_name']; + } + } + + /** + * Create report + * + * @param array $reportData + * @return void + */ + public function saveReport($reportData) + { + $this->reportData = $reportData; + $this->reportId = abs(intval(microtime(true) * rand(100, 1000))); + $this->_reportFile = $this->_reportDir . '/' . $this->reportId; + $this->_setReportData($reportData); + + if (!file_exists($this->_reportDir)) { + @mkdir($this->_reportDir, DriverInterface::WRITEABLE_DIRECTORY_MODE, true); + } + + @file_put_contents($this->_reportFile, serialize($reportData)); + @chmod($this->_reportFile, DriverInterface::WRITEABLE_FILE_MODE); + + if (isset($reportData['skin']) && self::DEFAULT_SKIN != $reportData['skin']) { + $this->_setSkin($reportData['skin']); + } + $this->_setReportUrl(); + + if (headers_sent()) { + echo ''; + exit; + } + } + + /** + * Get report + * + * @param int $reportId + * @return void + */ + public function loadReport($reportId) + { + $this->reportId = $reportId; + $this->_reportFile = $this->_reportDir . '/' . $reportId; + + if (!file_exists($this->_reportFile) || !is_readable($this->_reportFile)) { + header("Location: " . $this->getBaseUrl()); + die(); + } + $this->_setReportData(unserialize(file_get_contents($this->_reportFile))); + } + + /** + * Send report + * + * @return void + */ + public function sendReport() + { + $this->pageTitle = 'Error Submission Form'; + + $this->postData['firstName'] = (isset($_POST['firstname'])) ? trim(htmlspecialchars($_POST['firstname'])) : ''; + $this->postData['lastName'] = (isset($_POST['lastname'])) ? trim(htmlspecialchars($_POST['lastname'])) : ''; + $this->postData['email'] = (isset($_POST['email'])) ? trim(htmlspecialchars($_POST['email'])) : ''; + $this->postData['telephone'] = (isset($_POST['telephone'])) ? trim(htmlspecialchars($_POST['telephone'])) : ''; + $this->postData['comment'] = (isset($_POST['comment'])) ? trim(htmlspecialchars($_POST['comment'])) : ''; + + if (isset($_POST['submit'])) { + if ($this->_validate()) { + $msg = "URL: {$this->reportData['url']}\n" + . "IP Address: {$this->_getClientIp()}\n" + . "First Name: {$this->postData['firstName']}\n" + . "Last Name: {$this->postData['lastName']}\n" + . "Email Address: {$this->postData['email']}\n"; + if ($this->postData['telephone']) { + $msg .= "Telephone: {$this->postData['telephone']}\n"; + } + if ($this->postData['comment']) { + $msg .= "Comment: {$this->postData['comment']}\n"; + } + + $subject = sprintf('%s [%s]', (string)$this->_config->subject, $this->reportId); + @mail((string)$this->_config->email_address, $subject, $msg); + + $this->showSendForm = false; + $this->showSentMsg = true; + } else { + $this->showErrorMsg = true; + } + } else { + $time = gmdate('Y-m-d H:i:s \G\M\T'); + + $msg = "URL: {$this->reportData['url']}\n" + . "IP Address: {$this->_getClientIp()}\n" + . "Time: {$time}\n" + . "Error:\n{$this->reportData[0]}\n\n" + . "Trace:\n{$this->reportData[1]}"; + + $subject = sprintf('%s [%s]', (string)$this->_config->subject, $this->reportId); + @mail((string)$this->_config->email_address, $subject, $msg); + + if ($this->_config->trash == 'delete') { + @unlink($this->_reportFile); + } + } + } + + /** + * Validate submitted post data + * + * @return bool + */ + protected function _validate() + { + $email = preg_match( + '/^[_a-z0-9-]+(\.[_a-z0-9-]+)*@[a-z0-9-]+(\.[a-z0-9-]+)*(\.[a-z]{2,3})$/', + $this->postData['email'] + ); + return ($this->postData['firstName'] && $this->postData['lastName'] && $email); + } + + /** + * Skin setter + * + * @param string $value + * @param \stdClass $config + * @return void + */ + protected function _setSkin($value, \stdClass $config = null) + { + if (preg_match('/^[a-z0-9_]+$/i', $value) && is_dir($this->_indexDir . self::ERROR_DIR . '/' . $value)) { + if (!$config) { + if ($this->_config) { + $config = $this->_config; + } + } + if ($config) { + $config->skin = $value; + } + } + } + + /** + * Set current report URL from current params + * + * @return void + */ + protected function _setReportUrl() + { + if ($this->reportId && $this->_config && isset($this->_config->skin)) { + $this->reportUrl = "{$this->getBaseUrl(true)}pub/errors/report.php?" + . http_build_query(['id' => $this->reportId, 'skin' => $this->_config->skin]); + } + } +} diff --git a/pub/errors/processorFactory.php b/pub/errors/processorFactory.php new file mode 100644 index 0000000000000..f185cd1247933 --- /dev/null +++ b/pub/errors/processorFactory.php @@ -0,0 +1,28 @@ +create($_SERVER); + $response = $objectManager->create('Magento\Framework\App\Response\Http'); + return new Processor($response); + } +} diff --git a/pub/errors/report.php b/pub/errors/report.php new file mode 100644 index 0000000000000..1ea8da23114c8 --- /dev/null +++ b/pub/errors/report.php @@ -0,0 +1,15 @@ +createProcessor(); +if (isset($reportData) && is_array($reportData)) { + $processor->saveReport($reportData); +} +$response = $processor->processReport(); +$response->sendResponse(); diff --git a/pub/media/customer/.htaccess b/pub/media/customer/.htaccess new file mode 100644 index 0000000000000..93169e4eb44ff --- /dev/null +++ b/pub/media/customer/.htaccess @@ -0,0 +1,2 @@ +Order deny,allow +Deny from all diff --git a/pub/media/downloadable/.htaccess b/pub/media/downloadable/.htaccess new file mode 100644 index 0000000000000..93169e4eb44ff --- /dev/null +++ b/pub/media/downloadable/.htaccess @@ -0,0 +1,2 @@ +Order deny,allow +Deny from all diff --git a/pub/media/import/.htaccess b/pub/media/import/.htaccess new file mode 100644 index 0000000000000..93169e4eb44ff --- /dev/null +++ b/pub/media/import/.htaccess @@ -0,0 +1,2 @@ +Order deny,allow +Deny from all diff --git a/pub/media/theme_customization/.htaccess b/pub/media/theme_customization/.htaccess new file mode 100644 index 0000000000000..aaf15ab571ebf --- /dev/null +++ b/pub/media/theme_customization/.htaccess @@ -0,0 +1,5 @@ +Options All -Indexes + + Order allow,deny + Deny from all + diff --git a/pub/opt/magento/var/resource_config.json b/pub/opt/magento/var/resource_config.json new file mode 100644 index 0000000000000..21d66450ee619 --- /dev/null +++ b/pub/opt/magento/var/resource_config.json @@ -0,0 +1 @@ +{"media_directory":"\/opt\/magento\/pub\/media","allowed_resources":["css","css_secure","js","theme","favicon","wysiwyg","catalog","custom_options","email","captcha","dhl"],"update_time":"3600"} \ No newline at end of file From 9736c70b800f7e0189e2b8828dbae55d6be1a66e Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Sun, 1 Nov 2015 15:49:52 -0600 Subject: [PATCH 18/27] MAGETWO-44697: Remove half-translated files - remove non-English translation files --- .../Magento/AdminNotification/i18n/de_DE.csv | 51 -- .../Magento/AdminNotification/i18n/es_ES.csv | 51 -- .../Magento/AdminNotification/i18n/fr_FR.csv | 51 -- .../Magento/AdminNotification/i18n/nl_NL.csv | 51 -- .../Magento/AdminNotification/i18n/pt_BR.csv | 51 -- .../AdminNotification/i18n/zh_Hans_CN.csv | 51 -- app/code/Magento/Authorizenet/i18n/de_DE.csv | 100 --- app/code/Magento/Authorizenet/i18n/es_ES.csv | 100 --- app/code/Magento/Authorizenet/i18n/fr_FR.csv | 100 --- app/code/Magento/Authorizenet/i18n/nl_NL.csv | 100 --- app/code/Magento/Authorizenet/i18n/pt_BR.csv | 100 --- .../Magento/Authorizenet/i18n/zh_Hans_CN.csv | 100 --- app/code/Magento/Backend/i18n/de_DE.csv | 616 ---------------- app/code/Magento/Backend/i18n/es_ES.csv | 616 ---------------- app/code/Magento/Backend/i18n/fr_FR.csv | 616 ---------------- app/code/Magento/Backend/i18n/nl_NL.csv | 616 ---------------- app/code/Magento/Backend/i18n/pt_BR.csv | 616 ---------------- app/code/Magento/Backend/i18n/zh_Hans_CN.csv | 616 ---------------- app/code/Magento/Backup/i18n/de_DE.csv | 81 -- app/code/Magento/Backup/i18n/es_ES.csv | 81 -- app/code/Magento/Backup/i18n/fr_FR.csv | 81 -- app/code/Magento/Backup/i18n/nl_NL.csv | 81 -- app/code/Magento/Backup/i18n/pt_BR.csv | 81 -- app/code/Magento/Backup/i18n/zh_Hans_CN.csv | 81 -- app/code/Magento/Bundle/i18n/de_DE.csv | 80 -- app/code/Magento/Bundle/i18n/es_ES.csv | 80 -- app/code/Magento/Bundle/i18n/fr_FR.csv | 80 -- app/code/Magento/Bundle/i18n/nl_NL.csv | 80 -- app/code/Magento/Bundle/i18n/pt_BR.csv | 80 -- app/code/Magento/Bundle/i18n/zh_Hans_CN.csv | 80 -- app/code/Magento/Captcha/i18n/de_DE.csv | 27 - app/code/Magento/Captcha/i18n/es_ES.csv | 27 - app/code/Magento/Captcha/i18n/fr_FR.csv | 27 - app/code/Magento/Captcha/i18n/nl_NL.csv | 27 - app/code/Magento/Captcha/i18n/pt_BR.csv | 27 - app/code/Magento/Captcha/i18n/zh_Hans_CN.csv | 27 - app/code/Magento/Catalog/i18n/de_DE.csv | 635 ---------------- app/code/Magento/Catalog/i18n/es_ES.csv | 635 ---------------- app/code/Magento/Catalog/i18n/fr_FR.csv | 635 ---------------- app/code/Magento/Catalog/i18n/nl_NL.csv | 635 ---------------- app/code/Magento/Catalog/i18n/pt_BR.csv | 635 ---------------- app/code/Magento/Catalog/i18n/zh_Hans_CN.csv | 635 ---------------- .../CatalogImportExport/i18n/de_DE.csv | 16 - .../CatalogImportExport/i18n/es_ES.csv | 16 - .../CatalogImportExport/i18n/fr_FR.csv | 16 - .../CatalogImportExport/i18n/nl_NL.csv | 16 - .../CatalogImportExport/i18n/pt_BR.csv | 16 - .../CatalogImportExport/i18n/zh_Hans_CN.csv | 16 - .../Magento/CatalogInventory/i18n/de_DE.csv | 54 -- .../Magento/CatalogInventory/i18n/es_ES.csv | 54 -- .../Magento/CatalogInventory/i18n/fr_FR.csv | 54 -- .../Magento/CatalogInventory/i18n/nl_NL.csv | 54 -- .../Magento/CatalogInventory/i18n/pt_BR.csv | 54 -- .../CatalogInventory/i18n/zh_Hans_CN.csv | 54 -- app/code/Magento/CatalogRule/i18n/de_DE.csv | 73 -- app/code/Magento/CatalogRule/i18n/es_ES.csv | 73 -- app/code/Magento/CatalogRule/i18n/fr_FR.csv | 73 -- app/code/Magento/CatalogRule/i18n/nl_NL.csv | 73 -- app/code/Magento/CatalogRule/i18n/pt_BR.csv | 73 -- .../Magento/CatalogRule/i18n/zh_Hans_CN.csv | 73 -- app/code/Magento/CatalogSearch/i18n/de_DE.csv | 53 -- app/code/Magento/CatalogSearch/i18n/es_ES.csv | 53 -- app/code/Magento/CatalogSearch/i18n/fr_FR.csv | 53 -- app/code/Magento/CatalogSearch/i18n/nl_NL.csv | 53 -- app/code/Magento/CatalogSearch/i18n/pt_BR.csv | 53 -- .../Magento/CatalogSearch/i18n/zh_Hans_CN.csv | 53 -- app/code/Magento/Checkout/i18n/de_DE.csv | 179 ----- app/code/Magento/Checkout/i18n/es_ES.csv | 179 ----- app/code/Magento/Checkout/i18n/fr_FR.csv | 179 ----- app/code/Magento/Checkout/i18n/nl_NL.csv | 179 ----- app/code/Magento/Checkout/i18n/pt_BR.csv | 179 ----- app/code/Magento/Checkout/i18n/zh_Hans_CN.csv | 179 ----- .../Magento/CheckoutAgreements/i18n/de_DE.csv | 32 - .../Magento/CheckoutAgreements/i18n/es_ES.csv | 32 - .../Magento/CheckoutAgreements/i18n/fr_FR.csv | 32 - .../Magento/CheckoutAgreements/i18n/nl_NL.csv | 32 - .../Magento/CheckoutAgreements/i18n/pt_BR.csv | 32 - .../CheckoutAgreements/i18n/zh_Hans_CN.csv | 32 - app/code/Magento/Cms/i18n/de_DE.csv | 126 ---- app/code/Magento/Cms/i18n/es_ES.csv | 126 ---- app/code/Magento/Cms/i18n/fr_FR.csv | 126 ---- app/code/Magento/Cms/i18n/nl_NL.csv | 126 ---- app/code/Magento/Cms/i18n/pt_BR.csv | 126 ---- app/code/Magento/Cms/i18n/zh_Hans_CN.csv | 126 ---- app/code/Magento/Config/i18n/de_DE.csv | 1 - app/code/Magento/Config/i18n/es_ES.csv | 1 - app/code/Magento/Config/i18n/fr_FR.csv | 1 - app/code/Magento/Config/i18n/nl_NL.csv | 1 - app/code/Magento/Config/i18n/pt_BR.csv | 1 - app/code/Magento/Config/i18n/zh_Hans_CN.csv | 1 - .../ConfigurableProduct/i18n/de_DE.csv | 55 -- .../ConfigurableProduct/i18n/es_ES.csv | 55 -- .../ConfigurableProduct/i18n/fr_FR.csv | 55 -- .../ConfigurableProduct/i18n/nl_NL.csv | 55 -- .../ConfigurableProduct/i18n/pt_BR.csv | 55 -- .../ConfigurableProduct/i18n/zh_Hans_CN.csv | 55 -- app/code/Magento/Contact/i18n/de_DE.csv | 16 - app/code/Magento/Contact/i18n/es_ES.csv | 16 - app/code/Magento/Contact/i18n/fr_FR.csv | 16 - app/code/Magento/Contact/i18n/nl_NL.csv | 16 - app/code/Magento/Contact/i18n/pt_BR.csv | 16 - app/code/Magento/Contact/i18n/zh_Hans_CN.csv | 16 - app/code/Magento/Cron/i18n/de_DE.csv | 14 - app/code/Magento/Cron/i18n/es_ES.csv | 14 - app/code/Magento/Cron/i18n/fr_FR.csv | 14 - app/code/Magento/Cron/i18n/nl_NL.csv | 14 - app/code/Magento/Cron/i18n/pt_BR.csv | 14 - app/code/Magento/Cron/i18n/zh_Hans_CN.csv | 14 - .../Magento/CurrencySymbol/i18n/de_DE.csv | 20 - .../Magento/CurrencySymbol/i18n/es_ES.csv | 20 - .../Magento/CurrencySymbol/i18n/fr_FR.csv | 20 - .../Magento/CurrencySymbol/i18n/nl_NL.csv | 20 - .../Magento/CurrencySymbol/i18n/pt_BR.csv | 20 - .../CurrencySymbol/i18n/zh_Hans_CN.csv | 20 - app/code/Magento/Customer/i18n/de_DE.csv | 419 ----------- app/code/Magento/Customer/i18n/es_ES.csv | 418 ----------- app/code/Magento/Customer/i18n/fr_FR.csv | 418 ----------- app/code/Magento/Customer/i18n/nl_NL.csv | 418 ----------- app/code/Magento/Customer/i18n/pt_BR.csv | 418 ----------- app/code/Magento/Customer/i18n/zh_Hans_CN.csv | 418 ----------- .../CustomerImportExport/i18n/de_DE.csv | 17 - .../CustomerImportExport/i18n/es_ES.csv | 17 - .../CustomerImportExport/i18n/fr_FR.csv | 17 - .../CustomerImportExport/i18n/nl_NL.csv | 17 - .../CustomerImportExport/i18n/pt_BR.csv | 17 - .../CustomerImportExport/i18n/zh_Hans_CN.csv | 17 - app/code/Magento/Dhl/i18n/de_DE.csv | 79 -- app/code/Magento/Dhl/i18n/es_ES.csv | 79 -- app/code/Magento/Dhl/i18n/fr_FR.csv | 79 -- app/code/Magento/Dhl/i18n/nl_NL.csv | 79 -- app/code/Magento/Dhl/i18n/pt_BR.csv | 79 -- app/code/Magento/Dhl/i18n/zh_Hans_CN.csv | 79 -- app/code/Magento/Directory/i18n/de_DE.csv | 42 -- app/code/Magento/Directory/i18n/es_ES.csv | 42 -- app/code/Magento/Directory/i18n/fr_FR.csv | 42 -- app/code/Magento/Directory/i18n/nl_NL.csv | 42 -- app/code/Magento/Directory/i18n/pt_BR.csv | 42 -- .../Magento/Directory/i18n/zh_Hans_CN.csv | 42 -- app/code/Magento/Downloadable/i18n/de_DE.csv | 88 --- app/code/Magento/Downloadable/i18n/es_ES.csv | 88 --- app/code/Magento/Downloadable/i18n/fr_FR.csv | 88 --- app/code/Magento/Downloadable/i18n/nl_NL.csv | 88 --- app/code/Magento/Downloadable/i18n/pt_BR.csv | 88 --- .../Magento/Downloadable/i18n/zh_Hans_CN.csv | 88 --- app/code/Magento/Eav/i18n/de_DE.csv | 113 --- app/code/Magento/Eav/i18n/es_ES.csv | 113 --- app/code/Magento/Eav/i18n/fr_FR.csv | 113 --- app/code/Magento/Eav/i18n/nl_NL.csv | 113 --- app/code/Magento/Eav/i18n/pt_BR.csv | 113 --- app/code/Magento/Eav/i18n/zh_Hans_CN.csv | 113 --- app/code/Magento/Email/i18n/de_DE.csv | 74 -- app/code/Magento/Email/i18n/es_ES.csv | 74 -- app/code/Magento/Email/i18n/fr_FR.csv | 74 -- app/code/Magento/Email/i18n/nl_NL.csv | 74 -- app/code/Magento/Email/i18n/pt_BR.csv | 74 -- app/code/Magento/Email/i18n/zh_Hans_CN.csv | 74 -- app/code/Magento/EncryptionKey/i18n/de_DE.csv | 20 - app/code/Magento/EncryptionKey/i18n/es_ES.csv | 20 - app/code/Magento/EncryptionKey/i18n/fr_FR.csv | 20 - app/code/Magento/EncryptionKey/i18n/nl_NL.csv | 20 - app/code/Magento/EncryptionKey/i18n/pt_BR.csv | 20 - .../Magento/EncryptionKey/i18n/zh_Hans_CN.csv | 20 - app/code/Magento/Fedex/i18n/de_DE.csv | 72 -- app/code/Magento/Fedex/i18n/es_ES.csv | 72 -- app/code/Magento/Fedex/i18n/fr_FR.csv | 72 -- app/code/Magento/Fedex/i18n/nl_NL.csv | 72 -- app/code/Magento/Fedex/i18n/pt_BR.csv | 72 -- app/code/Magento/Fedex/i18n/zh_Hans_CN.csv | 72 -- app/code/Magento/GiftMessage/i18n/de_DE.csv | 22 - app/code/Magento/GiftMessage/i18n/es_ES.csv | 22 - app/code/Magento/GiftMessage/i18n/fr_FR.csv | 22 - app/code/Magento/GiftMessage/i18n/nl_NL.csv | 22 - app/code/Magento/GiftMessage/i18n/pt_BR.csv | 22 - .../Magento/GiftMessage/i18n/zh_Hans_CN.csv | 22 - app/code/Magento/GoogleAdwords/i18n/de_DE.csv | 13 - app/code/Magento/GoogleAdwords/i18n/es_ES.csv | 13 - app/code/Magento/GoogleAdwords/i18n/fr_FR.csv | 13 - app/code/Magento/GoogleAdwords/i18n/nl_NL.csv | 13 - app/code/Magento/GoogleAdwords/i18n/pt_BR.csv | 13 - .../Magento/GoogleAdwords/i18n/zh_Hans_CN.csv | 13 - .../Magento/GoogleAnalytics/i18n/de_DE.csv | 4 - .../Magento/GoogleAnalytics/i18n/es_ES.csv | 4 - .../Magento/GoogleAnalytics/i18n/fr_FR.csv | 4 - .../Magento/GoogleAnalytics/i18n/nl_NL.csv | 4 - .../Magento/GoogleAnalytics/i18n/pt_BR.csv | 4 - .../GoogleAnalytics/i18n/zh_Hans_CN.csv | 4 - .../Magento/GoogleOptimizer/i18n/de_DE.csv | 7 - .../Magento/GoogleOptimizer/i18n/es_ES.csv | 7 - .../Magento/GoogleOptimizer/i18n/fr_FR.csv | 7 - .../Magento/GoogleOptimizer/i18n/nl_NL.csv | 7 - .../Magento/GoogleOptimizer/i18n/pt_BR.csv | 7 - .../GoogleOptimizer/i18n/zh_Hans_CN.csv | 7 - .../Magento/GroupedProduct/i18n/de_DE.csv | 25 - .../Magento/GroupedProduct/i18n/es_ES.csv | 25 - .../Magento/GroupedProduct/i18n/fr_FR.csv | 25 - .../Magento/GroupedProduct/i18n/nl_NL.csv | 25 - .../Magento/GroupedProduct/i18n/pt_BR.csv | 25 - .../GroupedProduct/i18n/zh_Hans_CN.csv | 25 - app/code/Magento/ImportExport/i18n/de_DE.csv | 92 --- app/code/Magento/ImportExport/i18n/es_ES.csv | 92 --- app/code/Magento/ImportExport/i18n/fr_FR.csv | 92 --- app/code/Magento/ImportExport/i18n/nl_NL.csv | 92 --- app/code/Magento/ImportExport/i18n/pt_BR.csv | 92 --- .../Magento/ImportExport/i18n/zh_Hans_CN.csv | 92 --- app/code/Magento/Indexer/i18n/de_DE.csv | 19 - app/code/Magento/Indexer/i18n/es_ES.csv | 19 - app/code/Magento/Indexer/i18n/fr_FR.csv | 19 - app/code/Magento/Indexer/i18n/nl_NL.csv | 19 - app/code/Magento/Indexer/i18n/pt_BR.csv | 19 - app/code/Magento/Indexer/i18n/zh_Hans_CN.csv | 19 - app/code/Magento/Integration/i18n/de_DE.csv | 70 -- app/code/Magento/Integration/i18n/es_ES.csv | 70 -- app/code/Magento/Integration/i18n/fr_FR.csv | 70 -- app/code/Magento/Integration/i18n/nl_NL.csv | 70 -- app/code/Magento/Integration/i18n/pt_BR.csv | 70 -- .../Magento/Integration/i18n/zh_Hans_CN.csv | 70 -- .../Magento/LayeredNavigation/i18n/de_DE.csv | 26 - .../Magento/LayeredNavigation/i18n/es_ES.csv | 26 - .../Magento/LayeredNavigation/i18n/fr_FR.csv | 26 - .../Magento/LayeredNavigation/i18n/nl_NL.csv | 26 - .../Magento/LayeredNavigation/i18n/pt_BR.csv | 26 - .../LayeredNavigation/i18n/zh_Hans_CN.csv | 26 - app/code/Magento/Marketplace/i18n/de_DE.csv | 1 - app/code/Magento/Marketplace/i18n/es_ES.csv | 1 - app/code/Magento/Marketplace/i18n/fr_FR.csv | 1 - app/code/Magento/Marketplace/i18n/nl_NL.csv | 1 - app/code/Magento/Marketplace/i18n/pt_BR.csv | 1 - .../Magento/Marketplace/i18n/zh_Hans_CN.csv | 1 - app/code/Magento/MediaStorage/i18n/de_DE.csv | 10 - app/code/Magento/MediaStorage/i18n/es_ES.csv | 10 - app/code/Magento/MediaStorage/i18n/fr_FR.csv | 10 - app/code/Magento/MediaStorage/i18n/nl_NL.csv | 10 - app/code/Magento/MediaStorage/i18n/pt_BR.csv | 10 - .../Magento/MediaStorage/i18n/zh_Hans_CN.csv | 10 - app/code/Magento/Multishipping/i18n/de_DE.csv | 79 -- app/code/Magento/Multishipping/i18n/es_ES.csv | 79 -- app/code/Magento/Multishipping/i18n/fr_FR.csv | 79 -- app/code/Magento/Multishipping/i18n/nl_NL.csv | 79 -- app/code/Magento/Multishipping/i18n/pt_BR.csv | 79 -- .../Magento/Multishipping/i18n/zh_Hans_CN.csv | 79 -- app/code/Magento/Newsletter/i18n/de_DE.csv | 141 ---- app/code/Magento/Newsletter/i18n/es_ES.csv | 141 ---- app/code/Magento/Newsletter/i18n/fr_FR.csv | 141 ---- app/code/Magento/Newsletter/i18n/nl_NL.csv | 141 ---- app/code/Magento/Newsletter/i18n/pt_BR.csv | 141 ---- .../Magento/Newsletter/i18n/zh_Hans_CN.csv | 141 ---- .../Magento/OfflinePayments/i18n/de_DE.csv | 24 - .../Magento/OfflinePayments/i18n/es_ES.csv | 24 - .../Magento/OfflinePayments/i18n/fr_FR.csv | 24 - .../Magento/OfflinePayments/i18n/nl_NL.csv | 24 - .../Magento/OfflinePayments/i18n/pt_BR.csv | 24 - .../OfflinePayments/i18n/zh_Hans_CN.csv | 24 - .../Magento/OfflineShipping/i18n/de_DE.csv | 49 -- .../Magento/OfflineShipping/i18n/es_ES.csv | 49 -- .../Magento/OfflineShipping/i18n/fr_FR.csv | 49 -- .../Magento/OfflineShipping/i18n/nl_NL.csv | 49 -- .../Magento/OfflineShipping/i18n/pt_BR.csv | 49 -- .../OfflineShipping/i18n/zh_Hans_CN.csv | 49 -- app/code/Magento/PageCache/i18n/de_DE.csv | 19 - app/code/Magento/PageCache/i18n/es_ES.csv | 19 - app/code/Magento/PageCache/i18n/fr_FR.csv | 19 - app/code/Magento/PageCache/i18n/nl_NL.csv | 19 - app/code/Magento/PageCache/i18n/pt_BR.csv | 19 - .../Magento/PageCache/i18n/zh_Hans_CN.csv | 19 - app/code/Magento/Payment/i18n/de_DE.csv | 41 -- app/code/Magento/Payment/i18n/es_ES.csv | 41 -- app/code/Magento/Payment/i18n/fr_FR.csv | 41 -- app/code/Magento/Payment/i18n/nl_NL.csv | 41 -- app/code/Magento/Payment/i18n/pt_BR.csv | 41 -- app/code/Magento/Payment/i18n/zh_Hans_CN.csv | 41 -- app/code/Magento/Paypal/i18n/de_DE.csv | 689 ------------------ app/code/Magento/Paypal/i18n/es_ES.csv | 689 ------------------ app/code/Magento/Paypal/i18n/fr_FR.csv | 689 ------------------ app/code/Magento/Paypal/i18n/nl_NL.csv | 689 ------------------ app/code/Magento/Paypal/i18n/pt_BR.csv | 689 ------------------ app/code/Magento/Paypal/i18n/zh_Hans_CN.csv | 689 ------------------ app/code/Magento/Persistent/i18n/de_DE.csv | 16 - app/code/Magento/Persistent/i18n/es_ES.csv | 16 - app/code/Magento/Persistent/i18n/fr_FR.csv | 16 - app/code/Magento/Persistent/i18n/nl_NL.csv | 16 - app/code/Magento/Persistent/i18n/pt_BR.csv | 16 - .../Magento/Persistent/i18n/zh_Hans_CN.csv | 16 - app/code/Magento/ProductAlert/i18n/de_DE.csv | 31 - app/code/Magento/ProductAlert/i18n/es_ES.csv | 31 - app/code/Magento/ProductAlert/i18n/fr_FR.csv | 31 - app/code/Magento/ProductAlert/i18n/nl_NL.csv | 31 - app/code/Magento/ProductAlert/i18n/pt_BR.csv | 31 - .../Magento/ProductAlert/i18n/zh_Hans_CN.csv | 31 - app/code/Magento/Quote/i18n/de_DE.csv | 31 - app/code/Magento/Quote/i18n/es_ES.csv | 31 - app/code/Magento/Quote/i18n/fr_FR.csv | 31 - app/code/Magento/Quote/i18n/nl_NL.csv | 31 - app/code/Magento/Quote/i18n/pt_BR.csv | 31 - app/code/Magento/Quote/i18n/zh_Hans_CN.csv | 31 - app/code/Magento/Reports/i18n/de_DE.csv | 227 ------ app/code/Magento/Reports/i18n/es_ES.csv | 227 ------ app/code/Magento/Reports/i18n/fr_FR.csv | 227 ------ app/code/Magento/Reports/i18n/nl_NL.csv | 227 ------ app/code/Magento/Reports/i18n/pt_BR.csv | 227 ------ app/code/Magento/Reports/i18n/zh_Hans_CN.csv | 227 ------ app/code/Magento/Review/i18n/de_DE.csv | 130 ---- app/code/Magento/Review/i18n/es_ES.csv | 130 ---- app/code/Magento/Review/i18n/fr_FR.csv | 130 ---- app/code/Magento/Review/i18n/nl_NL.csv | 130 ---- app/code/Magento/Review/i18n/pt_BR.csv | 130 ---- app/code/Magento/Review/i18n/zh_Hans_CN.csv | 130 ---- app/code/Magento/Rss/i18n/de_DE.csv | 56 -- app/code/Magento/Rss/i18n/es_ES.csv | 56 -- app/code/Magento/Rss/i18n/fr_FR.csv | 56 -- app/code/Magento/Rss/i18n/nl_NL.csv | 56 -- app/code/Magento/Rss/i18n/pt_BR.csv | 56 -- app/code/Magento/Rss/i18n/zh_Hans_CN.csv | 56 -- app/code/Magento/Rule/i18n/de_DE.csv | 33 - app/code/Magento/Rule/i18n/es_ES.csv | 33 - app/code/Magento/Rule/i18n/fr_FR.csv | 33 - app/code/Magento/Rule/i18n/nl_NL.csv | 33 - app/code/Magento/Rule/i18n/pt_BR.csv | 33 - app/code/Magento/Rule/i18n/zh_Hans_CN.csv | 33 - app/code/Magento/Sales/i18n/de_DE.csv | 682 ----------------- app/code/Magento/Sales/i18n/es_ES.csv | 682 ----------------- app/code/Magento/Sales/i18n/fr_FR.csv | 682 ----------------- app/code/Magento/Sales/i18n/nl_NL.csv | 682 ----------------- app/code/Magento/Sales/i18n/pt_BR.csv | 682 ----------------- app/code/Magento/Sales/i18n/zh_Hans_CN.csv | 682 ----------------- app/code/Magento/SalesRule/i18n/de_DE.csv | 148 ---- app/code/Magento/SalesRule/i18n/es_ES.csv | 148 ---- app/code/Magento/SalesRule/i18n/fr_FR.csv | 148 ---- app/code/Magento/SalesRule/i18n/nl_NL.csv | 148 ---- app/code/Magento/SalesRule/i18n/pt_BR.csv | 148 ---- .../Magento/SalesRule/i18n/zh_Hans_CN.csv | 148 ---- app/code/Magento/SendFriend/i18n/de_DE.csv | 37 - app/code/Magento/SendFriend/i18n/es_ES.csv | 37 - app/code/Magento/SendFriend/i18n/fr_FR.csv | 37 - app/code/Magento/SendFriend/i18n/nl_NL.csv | 37 - app/code/Magento/SendFriend/i18n/pt_BR.csv | 37 - .../Magento/SendFriend/i18n/zh_Hans_CN.csv | 37 - app/code/Magento/Shipping/i18n/de_DE.csv | 160 ---- app/code/Magento/Shipping/i18n/es_ES.csv | 160 ---- app/code/Magento/Shipping/i18n/fr_FR.csv | 160 ---- app/code/Magento/Shipping/i18n/nl_NL.csv | 160 ---- app/code/Magento/Shipping/i18n/pt_BR.csv | 160 ---- app/code/Magento/Shipping/i18n/zh_Hans_CN.csv | 160 ---- app/code/Magento/Sitemap/i18n/de_DE.csv | 62 -- app/code/Magento/Sitemap/i18n/es_ES.csv | 62 -- app/code/Magento/Sitemap/i18n/fr_FR.csv | 62 -- app/code/Magento/Sitemap/i18n/nl_NL.csv | 62 -- app/code/Magento/Sitemap/i18n/pt_BR.csv | 62 -- app/code/Magento/Sitemap/i18n/zh_Hans_CN.csv | 62 -- app/code/Magento/Store/i18n/de_DE.csv | 26 - app/code/Magento/Store/i18n/es_ES.csv | 26 - app/code/Magento/Store/i18n/fr_FR.csv | 26 - app/code/Magento/Store/i18n/nl_NL.csv | 26 - app/code/Magento/Store/i18n/pt_BR.csv | 26 - app/code/Magento/Store/i18n/zh_Hans_CN.csv | 26 - app/code/Magento/Tax/i18n/de_DE.csv | 161 ---- app/code/Magento/Tax/i18n/es_ES.csv | 161 ---- app/code/Magento/Tax/i18n/fr_FR.csv | 161 ---- app/code/Magento/Tax/i18n/nl_NL.csv | 161 ---- app/code/Magento/Tax/i18n/pt_BR.csv | 161 ---- app/code/Magento/Tax/i18n/zh_Hans_CN.csv | 161 ---- app/code/Magento/Theme/i18n/de_DE.csv | 142 ---- app/code/Magento/Theme/i18n/es_ES.csv | 142 ---- app/code/Magento/Theme/i18n/fr_FR.csv | 142 ---- app/code/Magento/Theme/i18n/nl_NL.csv | 142 ---- app/code/Magento/Theme/i18n/pt_BR.csv | 142 ---- app/code/Magento/Theme/i18n/zh_Hans_CN.csv | 142 ---- app/code/Magento/Translation/i18n/de_DE.csv | 143 ---- app/code/Magento/Translation/i18n/es_ES.csv | 143 ---- app/code/Magento/Translation/i18n/fr_FR.csv | 143 ---- app/code/Magento/Translation/i18n/nl_NL.csv | 143 ---- app/code/Magento/Translation/i18n/pt_BR.csv | 143 ---- .../Magento/Translation/i18n/zh_Hans_CN.csv | 143 ---- app/code/Magento/Ups/i18n/de_DE.csv | 111 --- app/code/Magento/Ups/i18n/es_ES.csv | 111 --- app/code/Magento/Ups/i18n/fr_FR.csv | 111 --- app/code/Magento/Ups/i18n/nl_NL.csv | 111 --- app/code/Magento/Ups/i18n/pt_BR.csv | 111 --- app/code/Magento/Ups/i18n/zh_Hans_CN.csv | 111 --- app/code/Magento/UrlRewrite/i18n/de_DE.csv | 57 -- app/code/Magento/UrlRewrite/i18n/es_ES.csv | 57 -- app/code/Magento/UrlRewrite/i18n/fr_FR.csv | 57 -- app/code/Magento/UrlRewrite/i18n/nl_NL.csv | 57 -- app/code/Magento/UrlRewrite/i18n/pt_BR.csv | 57 -- .../Magento/UrlRewrite/i18n/zh_Hans_CN.csv | 57 -- app/code/Magento/User/i18n/de_DE.csv | 122 ---- app/code/Magento/User/i18n/es_ES.csv | 123 ---- app/code/Magento/User/i18n/fr_FR.csv | 123 ---- app/code/Magento/User/i18n/nl_NL.csv | 123 ---- app/code/Magento/User/i18n/pt_BR.csv | 123 ---- app/code/Magento/User/i18n/zh_Hans_CN.csv | 123 ---- app/code/Magento/Usps/i18n/de_DE.csv | 132 ---- app/code/Magento/Usps/i18n/es_ES.csv | 132 ---- app/code/Magento/Usps/i18n/fr_FR.csv | 132 ---- app/code/Magento/Usps/i18n/nl_NL.csv | 132 ---- app/code/Magento/Usps/i18n/pt_BR.csv | 132 ---- app/code/Magento/Usps/i18n/zh_Hans_CN.csv | 132 ---- app/code/Magento/Variable/i18n/de_DE.csv | 4 - app/code/Magento/Variable/i18n/es_ES.csv | 4 - app/code/Magento/Variable/i18n/fr_FR.csv | 4 - app/code/Magento/Variable/i18n/nl_NL.csv | 4 - app/code/Magento/Variable/i18n/pt_BR.csv | 4 - app/code/Magento/Variable/i18n/zh_Hans_CN.csv | 4 - app/code/Magento/Webapi/i18n/de_DE.csv | 34 - app/code/Magento/Webapi/i18n/es_ES.csv | 34 - app/code/Magento/Webapi/i18n/fr_FR.csv | 34 - app/code/Magento/Webapi/i18n/nl_NL.csv | 34 - app/code/Magento/Webapi/i18n/pt_BR.csv | 34 - app/code/Magento/Webapi/i18n/zh_Hans_CN.csv | 34 - app/code/Magento/Weee/i18n/de_DE.csv | 22 - app/code/Magento/Weee/i18n/es_ES.csv | 22 - app/code/Magento/Weee/i18n/fr_FR.csv | 22 - app/code/Magento/Weee/i18n/nl_NL.csv | 22 - app/code/Magento/Weee/i18n/pt_BR.csv | 22 - app/code/Magento/Weee/i18n/zh_Hans_CN.csv | 22 - app/code/Magento/Widget/i18n/de_DE.csv | 59 -- app/code/Magento/Widget/i18n/es_ES.csv | 59 -- app/code/Magento/Widget/i18n/fr_FR.csv | 59 -- app/code/Magento/Widget/i18n/nl_NL.csv | 59 -- app/code/Magento/Widget/i18n/pt_BR.csv | 59 -- app/code/Magento/Widget/i18n/zh_Hans_CN.csv | 59 -- app/code/Magento/Wishlist/i18n/de_DE.csv | 105 --- app/code/Magento/Wishlist/i18n/es_ES.csv | 105 --- app/code/Magento/Wishlist/i18n/fr_FR.csv | 105 --- app/code/Magento/Wishlist/i18n/nl_NL.csv | 105 --- app/code/Magento/Wishlist/i18n/pt_BR.csv | 105 --- app/code/Magento/Wishlist/i18n/zh_Hans_CN.csv | 105 --- .../frontend/Magento/blank/i18n/de_DE.csv | 1 - .../frontend/Magento/blank/i18n/es_ES.csv | 1 - .../frontend/Magento/blank/i18n/fr_FR.csv | 1 - .../frontend/Magento/blank/i18n/nl_NL.csv | 1 - .../frontend/Magento/blank/i18n/pt_BR.csv | 1 - .../Magento/blank/i18n/zh_Hans_CN.csv | 1 - lib/web/i18n/de_DE.csv | 20 - lib/web/i18n/es_ES.csv | 20 - lib/web/i18n/fr_FR.csv | 20 - lib/web/i18n/nl_NL.csv | 20 - lib/web/i18n/pt_BR.csv | 20 - lib/web/i18n/zh_Hans_CN.csv | 20 - 438 files changed, 43416 deletions(-) delete mode 100644 app/code/Magento/AdminNotification/i18n/de_DE.csv delete mode 100644 app/code/Magento/AdminNotification/i18n/es_ES.csv delete mode 100644 app/code/Magento/AdminNotification/i18n/fr_FR.csv delete mode 100644 app/code/Magento/AdminNotification/i18n/nl_NL.csv delete mode 100644 app/code/Magento/AdminNotification/i18n/pt_BR.csv delete mode 100644 app/code/Magento/AdminNotification/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/de_DE.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/es_ES.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Authorizenet/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Backend/i18n/de_DE.csv delete mode 100644 app/code/Magento/Backend/i18n/es_ES.csv delete mode 100644 app/code/Magento/Backend/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Backend/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Backend/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Backend/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Backup/i18n/de_DE.csv delete mode 100644 app/code/Magento/Backup/i18n/es_ES.csv delete mode 100644 app/code/Magento/Backup/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Backup/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Backup/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Backup/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Bundle/i18n/de_DE.csv delete mode 100644 app/code/Magento/Bundle/i18n/es_ES.csv delete mode 100644 app/code/Magento/Bundle/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Bundle/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Bundle/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Bundle/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Captcha/i18n/de_DE.csv delete mode 100644 app/code/Magento/Captcha/i18n/es_ES.csv delete mode 100644 app/code/Magento/Captcha/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Captcha/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Captcha/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Captcha/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Catalog/i18n/de_DE.csv delete mode 100644 app/code/Magento/Catalog/i18n/es_ES.csv delete mode 100644 app/code/Magento/Catalog/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Catalog/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Catalog/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Catalog/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/de_DE.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/es_ES.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CatalogImportExport/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/de_DE.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/es_ES.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/de_DE.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/es_ES.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/de_DE.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/es_ES.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CatalogSearch/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Checkout/i18n/de_DE.csv delete mode 100644 app/code/Magento/Checkout/i18n/es_ES.csv delete mode 100644 app/code/Magento/Checkout/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Checkout/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Checkout/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Checkout/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/de_DE.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/es_ES.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CheckoutAgreements/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Cms/i18n/de_DE.csv delete mode 100644 app/code/Magento/Cms/i18n/es_ES.csv delete mode 100644 app/code/Magento/Cms/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Cms/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Cms/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Cms/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Config/i18n/de_DE.csv delete mode 100644 app/code/Magento/Config/i18n/es_ES.csv delete mode 100644 app/code/Magento/Config/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Config/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Config/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Config/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/de_DE.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/es_ES.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv delete mode 100644 app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Contact/i18n/de_DE.csv delete mode 100644 app/code/Magento/Contact/i18n/es_ES.csv delete mode 100644 app/code/Magento/Contact/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Contact/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Contact/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Contact/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Cron/i18n/de_DE.csv delete mode 100644 app/code/Magento/Cron/i18n/es_ES.csv delete mode 100644 app/code/Magento/Cron/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Cron/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Cron/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Cron/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/de_DE.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/es_ES.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CurrencySymbol/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Customer/i18n/de_DE.csv delete mode 100644 app/code/Magento/Customer/i18n/es_ES.csv delete mode 100644 app/code/Magento/Customer/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Customer/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Customer/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Customer/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/de_DE.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/es_ES.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/fr_FR.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/nl_NL.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/pt_BR.csv delete mode 100644 app/code/Magento/CustomerImportExport/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Dhl/i18n/de_DE.csv delete mode 100644 app/code/Magento/Dhl/i18n/es_ES.csv delete mode 100644 app/code/Magento/Dhl/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Dhl/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Dhl/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Dhl/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Directory/i18n/de_DE.csv delete mode 100644 app/code/Magento/Directory/i18n/es_ES.csv delete mode 100644 app/code/Magento/Directory/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Directory/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Directory/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Directory/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Downloadable/i18n/de_DE.csv delete mode 100644 app/code/Magento/Downloadable/i18n/es_ES.csv delete mode 100644 app/code/Magento/Downloadable/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Downloadable/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Downloadable/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Downloadable/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Eav/i18n/de_DE.csv delete mode 100644 app/code/Magento/Eav/i18n/es_ES.csv delete mode 100644 app/code/Magento/Eav/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Eav/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Eav/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Eav/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Email/i18n/de_DE.csv delete mode 100644 app/code/Magento/Email/i18n/es_ES.csv delete mode 100644 app/code/Magento/Email/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Email/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Email/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Email/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/de_DE.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/es_ES.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/fr_FR.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/nl_NL.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/pt_BR.csv delete mode 100644 app/code/Magento/EncryptionKey/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Fedex/i18n/de_DE.csv delete mode 100644 app/code/Magento/Fedex/i18n/es_ES.csv delete mode 100644 app/code/Magento/Fedex/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Fedex/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Fedex/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Fedex/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/de_DE.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/es_ES.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/fr_FR.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/nl_NL.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/pt_BR.csv delete mode 100644 app/code/Magento/GiftMessage/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/de_DE.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/es_ES.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/fr_FR.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/nl_NL.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/pt_BR.csv delete mode 100644 app/code/Magento/GoogleAdwords/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/de_DE.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/es_ES.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/fr_FR.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/nl_NL.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/pt_BR.csv delete mode 100644 app/code/Magento/GoogleAnalytics/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/de_DE.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/es_ES.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/fr_FR.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/nl_NL.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/pt_BR.csv delete mode 100644 app/code/Magento/GoogleOptimizer/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/de_DE.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/es_ES.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/fr_FR.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/nl_NL.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/pt_BR.csv delete mode 100644 app/code/Magento/GroupedProduct/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/ImportExport/i18n/de_DE.csv delete mode 100644 app/code/Magento/ImportExport/i18n/es_ES.csv delete mode 100644 app/code/Magento/ImportExport/i18n/fr_FR.csv delete mode 100644 app/code/Magento/ImportExport/i18n/nl_NL.csv delete mode 100644 app/code/Magento/ImportExport/i18n/pt_BR.csv delete mode 100644 app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Indexer/i18n/de_DE.csv delete mode 100644 app/code/Magento/Indexer/i18n/es_ES.csv delete mode 100644 app/code/Magento/Indexer/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Indexer/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Indexer/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Indexer/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Integration/i18n/de_DE.csv delete mode 100644 app/code/Magento/Integration/i18n/es_ES.csv delete mode 100644 app/code/Magento/Integration/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Integration/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Integration/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Integration/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/de_DE.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/es_ES.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/fr_FR.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/nl_NL.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/pt_BR.csv delete mode 100644 app/code/Magento/LayeredNavigation/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Marketplace/i18n/de_DE.csv delete mode 100644 app/code/Magento/Marketplace/i18n/es_ES.csv delete mode 100644 app/code/Magento/Marketplace/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Marketplace/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Marketplace/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Marketplace/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/de_DE.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/es_ES.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/fr_FR.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/nl_NL.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/pt_BR.csv delete mode 100644 app/code/Magento/MediaStorage/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Multishipping/i18n/de_DE.csv delete mode 100644 app/code/Magento/Multishipping/i18n/es_ES.csv delete mode 100644 app/code/Magento/Multishipping/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Multishipping/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Multishipping/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Multishipping/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Newsletter/i18n/de_DE.csv delete mode 100644 app/code/Magento/Newsletter/i18n/es_ES.csv delete mode 100644 app/code/Magento/Newsletter/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Newsletter/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Newsletter/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Newsletter/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/de_DE.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/es_ES.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/fr_FR.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/nl_NL.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/pt_BR.csv delete mode 100644 app/code/Magento/OfflinePayments/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/de_DE.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/es_ES.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/fr_FR.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/nl_NL.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/pt_BR.csv delete mode 100644 app/code/Magento/OfflineShipping/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/PageCache/i18n/de_DE.csv delete mode 100644 app/code/Magento/PageCache/i18n/es_ES.csv delete mode 100644 app/code/Magento/PageCache/i18n/fr_FR.csv delete mode 100644 app/code/Magento/PageCache/i18n/nl_NL.csv delete mode 100644 app/code/Magento/PageCache/i18n/pt_BR.csv delete mode 100644 app/code/Magento/PageCache/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Payment/i18n/de_DE.csv delete mode 100644 app/code/Magento/Payment/i18n/es_ES.csv delete mode 100644 app/code/Magento/Payment/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Payment/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Payment/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Payment/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Paypal/i18n/de_DE.csv delete mode 100644 app/code/Magento/Paypal/i18n/es_ES.csv delete mode 100644 app/code/Magento/Paypal/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Paypal/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Paypal/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Paypal/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Persistent/i18n/de_DE.csv delete mode 100644 app/code/Magento/Persistent/i18n/es_ES.csv delete mode 100644 app/code/Magento/Persistent/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Persistent/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Persistent/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Persistent/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/de_DE.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/es_ES.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/fr_FR.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/nl_NL.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/pt_BR.csv delete mode 100644 app/code/Magento/ProductAlert/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Quote/i18n/de_DE.csv delete mode 100644 app/code/Magento/Quote/i18n/es_ES.csv delete mode 100644 app/code/Magento/Quote/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Quote/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Quote/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Quote/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Reports/i18n/de_DE.csv delete mode 100644 app/code/Magento/Reports/i18n/es_ES.csv delete mode 100644 app/code/Magento/Reports/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Reports/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Reports/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Reports/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Review/i18n/de_DE.csv delete mode 100644 app/code/Magento/Review/i18n/es_ES.csv delete mode 100644 app/code/Magento/Review/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Review/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Review/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Review/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Rss/i18n/de_DE.csv delete mode 100644 app/code/Magento/Rss/i18n/es_ES.csv delete mode 100644 app/code/Magento/Rss/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Rss/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Rss/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Rss/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Rule/i18n/de_DE.csv delete mode 100644 app/code/Magento/Rule/i18n/es_ES.csv delete mode 100644 app/code/Magento/Rule/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Rule/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Rule/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Rule/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Sales/i18n/de_DE.csv delete mode 100644 app/code/Magento/Sales/i18n/es_ES.csv delete mode 100644 app/code/Magento/Sales/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Sales/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Sales/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Sales/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/SalesRule/i18n/de_DE.csv delete mode 100644 app/code/Magento/SalesRule/i18n/es_ES.csv delete mode 100644 app/code/Magento/SalesRule/i18n/fr_FR.csv delete mode 100644 app/code/Magento/SalesRule/i18n/nl_NL.csv delete mode 100644 app/code/Magento/SalesRule/i18n/pt_BR.csv delete mode 100644 app/code/Magento/SalesRule/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/SendFriend/i18n/de_DE.csv delete mode 100644 app/code/Magento/SendFriend/i18n/es_ES.csv delete mode 100644 app/code/Magento/SendFriend/i18n/fr_FR.csv delete mode 100644 app/code/Magento/SendFriend/i18n/nl_NL.csv delete mode 100644 app/code/Magento/SendFriend/i18n/pt_BR.csv delete mode 100644 app/code/Magento/SendFriend/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Shipping/i18n/de_DE.csv delete mode 100644 app/code/Magento/Shipping/i18n/es_ES.csv delete mode 100644 app/code/Magento/Shipping/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Shipping/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Shipping/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Shipping/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Sitemap/i18n/de_DE.csv delete mode 100644 app/code/Magento/Sitemap/i18n/es_ES.csv delete mode 100644 app/code/Magento/Sitemap/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Sitemap/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Sitemap/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Sitemap/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Store/i18n/de_DE.csv delete mode 100644 app/code/Magento/Store/i18n/es_ES.csv delete mode 100644 app/code/Magento/Store/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Store/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Store/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Store/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Tax/i18n/de_DE.csv delete mode 100644 app/code/Magento/Tax/i18n/es_ES.csv delete mode 100644 app/code/Magento/Tax/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Tax/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Tax/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Tax/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Theme/i18n/de_DE.csv delete mode 100644 app/code/Magento/Theme/i18n/es_ES.csv delete mode 100644 app/code/Magento/Theme/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Theme/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Theme/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Theme/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Translation/i18n/de_DE.csv delete mode 100644 app/code/Magento/Translation/i18n/es_ES.csv delete mode 100644 app/code/Magento/Translation/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Translation/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Translation/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Translation/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Ups/i18n/de_DE.csv delete mode 100644 app/code/Magento/Ups/i18n/es_ES.csv delete mode 100644 app/code/Magento/Ups/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Ups/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Ups/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Ups/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/de_DE.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/es_ES.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/fr_FR.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/nl_NL.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/pt_BR.csv delete mode 100644 app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/User/i18n/de_DE.csv delete mode 100644 app/code/Magento/User/i18n/es_ES.csv delete mode 100644 app/code/Magento/User/i18n/fr_FR.csv delete mode 100644 app/code/Magento/User/i18n/nl_NL.csv delete mode 100644 app/code/Magento/User/i18n/pt_BR.csv delete mode 100644 app/code/Magento/User/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Usps/i18n/de_DE.csv delete mode 100644 app/code/Magento/Usps/i18n/es_ES.csv delete mode 100644 app/code/Magento/Usps/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Usps/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Usps/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Usps/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Variable/i18n/de_DE.csv delete mode 100644 app/code/Magento/Variable/i18n/es_ES.csv delete mode 100644 app/code/Magento/Variable/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Variable/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Variable/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Variable/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Webapi/i18n/de_DE.csv delete mode 100644 app/code/Magento/Webapi/i18n/es_ES.csv delete mode 100644 app/code/Magento/Webapi/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Webapi/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Webapi/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Webapi/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Weee/i18n/de_DE.csv delete mode 100644 app/code/Magento/Weee/i18n/es_ES.csv delete mode 100644 app/code/Magento/Weee/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Weee/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Weee/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Weee/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Widget/i18n/de_DE.csv delete mode 100644 app/code/Magento/Widget/i18n/es_ES.csv delete mode 100644 app/code/Magento/Widget/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Widget/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Widget/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Widget/i18n/zh_Hans_CN.csv delete mode 100644 app/code/Magento/Wishlist/i18n/de_DE.csv delete mode 100644 app/code/Magento/Wishlist/i18n/es_ES.csv delete mode 100644 app/code/Magento/Wishlist/i18n/fr_FR.csv delete mode 100644 app/code/Magento/Wishlist/i18n/nl_NL.csv delete mode 100644 app/code/Magento/Wishlist/i18n/pt_BR.csv delete mode 100644 app/code/Magento/Wishlist/i18n/zh_Hans_CN.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/de_DE.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/es_ES.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/fr_FR.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/nl_NL.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/pt_BR.csv delete mode 100644 app/design/frontend/Magento/blank/i18n/zh_Hans_CN.csv delete mode 100644 lib/web/i18n/de_DE.csv delete mode 100644 lib/web/i18n/es_ES.csv delete mode 100644 lib/web/i18n/fr_FR.csv delete mode 100644 lib/web/i18n/nl_NL.csv delete mode 100644 lib/web/i18n/pt_BR.csv delete mode 100644 lib/web/i18n/zh_Hans_CN.csv diff --git a/app/code/Magento/AdminNotification/i18n/de_DE.csv b/app/code/Magento/AdminNotification/i18n/de_DE.csv deleted file mode 100644 index 6a4ce03485e0d..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/de_DE.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details","Details anzeigen" -"Mark as Read","Als 'gelesen' markieren" -"Are you sure?","Sind Sie sicher?" -Remove,Entfernen -"Messages Inbox",Posteingang -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,Hinweise -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.","Bitte Nachrichten auswählen." -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.","Die Nachricht wurde entfernt." -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,kritisch -major,wichtig -minor,unwichtig -notice,Hinweis -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,Aktionen -Message,Nachricht -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,Wichtigkeit -"Date Added","Hinzugefügt am" diff --git a/app/code/Magento/AdminNotification/i18n/es_ES.csv b/app/code/Magento/AdminNotification/i18n/es_ES.csv deleted file mode 100644 index be75b360b52de..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/es_ES.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details","Leer detalles" -"Mark as Read","Marcar como leído" -"Are you sure?","¿Está seguro?" -Remove,Eliminar -"Messages Inbox","Bandeja de entrada" -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,Notificaciones -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.","Por favor, selecciona al menos un mensaje." -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.","El mensaje ha sido eliminado." -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,crítico -major,mayor -minor,menor -notice,aviso -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,Acciones -Message,Mensaje -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,Gravedad -"Date Added","Añadido el día" diff --git a/app/code/Magento/AdminNotification/i18n/fr_FR.csv b/app/code/Magento/AdminNotification/i18n/fr_FR.csv deleted file mode 100644 index ece76aabccead..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/fr_FR.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details","Lire les détails" -"Mark as Read","Marquer comme lu" -"Are you sure?","Etes-vous sûr ?" -Remove,Supprimer -"Messages Inbox","Boite de réception" -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,Notification -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.","Veuillez sélectionner les messages" -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.","Le message a été supprimé." -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,critique -major,majeur -minor,mineur -notice,notice -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,Action -Message,Message -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,Gravité -"Date Added","Date ajoutée" diff --git a/app/code/Magento/AdminNotification/i18n/nl_NL.csv b/app/code/Magento/AdminNotification/i18n/nl_NL.csv deleted file mode 100644 index dbb2722d658fc..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/nl_NL.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details","Lees details" -"Mark as Read","Markeer als gelezen" -"Are you sure?","Weet u het zeker" -Remove,Verwijderen -"Messages Inbox","Berichten inbox" -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,Notificaties -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.","Selecteer a.u.b. berichten" -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.","Dit bericht is verwijderd" -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,Kritisch -major,groot -minor,klein -notice,aankondiging -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,Acties -Message,Bericht -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,Zwaarheid -"Date Added","Datum toegevoegd" diff --git a/app/code/Magento/AdminNotification/i18n/pt_BR.csv b/app/code/Magento/AdminNotification/i18n/pt_BR.csv deleted file mode 100644 index 29cd93987126f..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/pt_BR.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details","Ler detalhes" -"Mark as Read","Marcar como Lida" -"Are you sure?","Tem certeza?" -Remove,Remover -"Messages Inbox","Caixa de Entrada de Mensagens" -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,Notificações -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.","Selecione mensagens." -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.","A mensagem foi removida." -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,crítico -major,maior -minor,menor -notice,aviso -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,Ações -Message,Mensagem -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,Rigor -"Date Added","Data de Adição" diff --git a/app/code/Magento/AdminNotification/i18n/zh_Hans_CN.csv b/app/code/Magento/AdminNotification/i18n/zh_Hans_CN.csv deleted file mode 100644 index 614bd688a0a57..0000000000000 --- a/app/code/Magento/AdminNotification/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,51 +0,0 @@ -"Read Details",阅读详情 -"Mark as Read",标记为已读 -"Are you sure?",您是否确认? -Remove,删除 -"Messages Inbox",收件箱 -"You have %1 new system messages","You have %1 new system messages" -"You have %1 new system message","You have %1 new system message" -"Incoming Message","Incoming Message" -close,close -"Read details","Read details" -Notifications,通知 -"The message has been marked as Read.","The message has been marked as Read." -"We couldn't mark the notification as Read because of an error.","We couldn't mark the notification as Read because of an error." -"Please select messages.",请选择一条信息。 -"A total of %1 record(s) have been marked as Read.","A total of %1 record(s) have been marked as Read." -"The message has been removed.",该信息已被删除。 -"We couldn't remove the messages because of an error.","We couldn't remove the messages because of an error." -"Total of %1 record(s) have been removed.","Total of %1 record(s) have been removed." -"1 Hour","1 Hour" -"2 Hours","2 Hours" -"6 Hours","6 Hours" -"12 Hours","12 Hours" -"24 Hours","24 Hours" -critical,重要 -major,主要 -minor,次要 -notice,注意 -"Wrong message type","Wrong message type" -"{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration.","{{base_url}} is not recommended to use in a production environment to declare the Base Unsecure URL / Base Secure URL. It is highly recommended to change this value in your Magento configuration." -"One or more of the Cache Types are invalidated: %1. ","One or more of the Cache Types are invalidated: %1. " -"Please go to Cache Management and refresh cache types.","Please go to Cache Management and refresh cache types." -"One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details.","One or more media files failed to be synchronized during the media storages synchronization process. Refer to the log file for details." -"Synchronization of media storages has been completed.","Synchronization of media storages has been completed." -"Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider.","Your web server is configured incorrectly. As a result, configuration files with sensitive information are accessible from the outside. Please contact your hosting provider." -"We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento.","We appreciate our merchants' feedback. Please take our survey and tell us about features you'd like to see in Magento." -"Close popup","Close popup" -Close,Close -"Critical System Messages","Critical System Messages" -"Major System Messages","Major System Messages" -"System messages","System messages" -Notification,Notification -Cancel,Cancel -Acknowledge,Acknowledge -"See All (%1 unread)","See All (%1 unread)" -Actions,操作 -Message,信息 -"Use HTTPS to Get Feed","Use HTTPS to Get Feed" -"Update Frequency","Update Frequency" -"Last Update","Last Update" -Severity,严重程度 -"Date Added",添加日期 diff --git a/app/code/Magento/Authorizenet/i18n/de_DE.csv b/app/code/Magento/Authorizenet/i18n/de_DE.csv deleted file mode 100644 index be595a6db0140..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/de_DE.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,Abbrechen -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.","Sind Sie sicher, dass Sie die Zahlung abbrechen möchten? Klicken Sie auf OK, um Ihre Zahlung abzubrechen und den Betrag wieder frei verfügbar zu machen. Klicken Sie auf Abbrechen, um eine andere Kreditkarte anzugeben und mit der Zahlung fortzufahren." -"Processed Amount","Bearbeiteter Betrag" -"Remaining Balance","Verbleibender Betrag" -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.","Es ist ein Fehler beim Abbruch der Transaktion aufgetreten. Bitte kontaktieren Sie uns oder probieren Sie es später noch einmal." -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,fehlgeschlagen -successful,erfolgreich -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,Autorisieren -"authorize and capture","Autorisieren und Erfassen" -capture,Erfassen -refund,Rückerstattung -void,ungültig -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.","Fehler beim Zahlungsupdate." -"Authorize Only","Nur genehmigen" -"Authorize and Capture","Genehmigen und erfassen" -"Invalid amount for capture.","Ungültiger Betrag für die Erfassung." -"Payment capturing error.","Fehler bei Zahlungserfassung." -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.","Fehler beim Stornieren der Zahlung." -"Invalid amount for refund.","Ungültiger Betrag für eine Rückerstattung." -"Payment refunding error.","Fehler bei der Rückerstattung." -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type",Kreditkartentyp -"Credit Card Number",Kreditkartennummer -"Expiration Date",Ablaufdatum -"Card Verification Number",Kreditkartenprüfnummer -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information",Kreditkarteninformationen -"--Please Select--","--Bitte wählen--" -"Card Verification Number Visual Reference","Kartenprüfnummer Sichtmerkmale" -"What is this?","Was ist das?" -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Authorizenet/i18n/es_ES.csv b/app/code/Magento/Authorizenet/i18n/es_ES.csv deleted file mode 100644 index e3f894d4c7544..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/es_ES.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,Cancelar -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.","¿Está seguro de que desea cancelar su pago? Pinche en Aceptar para cancelar el pago y liberar la cantidad retenida. Pinche en ""Cancelar"" para introducir otra tarjeta de crédito y continuar con su pago." -"Processed Amount","Cantidad Procesada" -"Remaining Balance","Saldo Restante" -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.","Ha habido un error en la cancelación de las transacciones. Por favor, póngase en contacto con nosotros o inténtelo más tarde de nuevo." -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,error -successful,exitoso -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,autorizar -"authorize and capture","autorizar y capturar" -capture,capturar -refund,reembolso -void,vacío -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.","Error de actualización del pago." -"Authorize Only","Sólo autorizar" -"Authorize and Capture","Autorizar y capturar" -"Invalid amount for capture.","Cantidad para retención no válida." -"Payment capturing error.","Error en el pago de retención." -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.","Error en la anulación del pago." -"Invalid amount for refund.","Cantidad de reembolso no válida." -"Payment refunding error.","Error en el pago de reembolso." -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type","Tipo de Tarjeta de Crédito" -"Credit Card Number","Número de Tarjeta de Crédito" -"Expiration Date","Fecha de Caducidad" -"Card Verification Number","Número de Verificación de Tarjeta" -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information","Información de la tarjeta de crédito" -"--Please Select--","--Por favor, seleccione-" -"Card Verification Number Visual Reference","Referencia visual del número de verificación de tarjeta" -"What is this?","¿Qué es esto?" -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Authorizenet/i18n/fr_FR.csv b/app/code/Magento/Authorizenet/i18n/fr_FR.csv deleted file mode 100644 index 8c581352613ef..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/fr_FR.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,Annuler -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.","Etes-vous sûr de vouloir annuler votre paiement ? Cliquez sur OK pour annuler le paiement et débloquer le montant en attente. Cliquez sur Quitter pour entrer une autre carte bancaire et continuer le paiemetn." -"Processed Amount","Montant réalisé" -"Remaining Balance","Balance restante" -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.","Une erreur s'est produite lors de l'annulation de transactions. Veuillez nous contacter ou réessayer ultérieurement." -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,échoué -successful,réussi -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,autoriser -"authorize and capture","autoriser et saisir" -capture,saisir -refund,remboursement -void,vide -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.","Erreur lors de la mise à jour du paiement." -"Authorize Only","Autoriser uniquement" -"Authorize and Capture","Autoriser et enregistrer" -"Invalid amount for capture.","Montant invalide" -"Payment capturing error.","Erreur lors de la saisie du paiement" -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.","Erreur annulant le paiement" -"Invalid amount for refund.","Montant invalide pour un remboursement" -"Payment refunding error.","Erreur de remboursement du paiement" -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type","Type de carte de crédit" -"Credit Card Number","Numéro de carte de crédit" -"Expiration Date","Date d'expiration" -"Card Verification Number","Numéro de vérification de la carte" -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information","Renseignements sur la carte de crédit" -"--Please Select--","--Veuillez choisir--" -"Card Verification Number Visual Reference","Référence visuelle du numéro de vérification de la carte" -"What is this?","Qu'est-ce que c'est ?" -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Authorizenet/i18n/nl_NL.csv b/app/code/Magento/Authorizenet/i18n/nl_NL.csv deleted file mode 100644 index 24f8616ddc922..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/nl_NL.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,Annuleren -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.","Weet u zeker dat u uw betaling wilt annuleren? Klik op OK om uw betaling te annuleren en het geld vrij te geven. Klik op Cancel om een andere kredietkaart te gebruiken en verder te gaan met uw betaling." -"Processed Amount","Verwerkte hoeveelheid" -"Remaining Balance","Resterend balans" -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.","Er heeft zich een fout voorgedaan tijdens het annuleren van de transacties. Neem contact met ons op of probeer later." -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,mislukt -successful,succesvol -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,autoriseer -"authorize and capture","autoriseer en vang" -capture,vang -refund,teruggave -void,ongeldig -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.","Fout bij het bijwerken van de betaling." -"Authorize Only","Alleen authoriseren" -"Authorize and Capture","Authoriseren en opnemen" -"Invalid amount for capture.","Ongeldige aantal voor vangst." -"Payment capturing error.","Fout in het ophalen van de betaling." -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.","Fout in het vernietigen van de betaling." -"Invalid amount for refund.","Ongeldige aantal voor teruggave." -"Payment refunding error.","Fout in het terugbetalen van de betaling." -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type",Creditcardtype -"Credit Card Number",Creditcardnummer -"Expiration Date",vervaldatum -"Card Verification Number","Kaart verificatie nummer" -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information","Creditcard informatie" -"--Please Select--","--selecteer a.u.b.--" -"Card Verification Number Visual Reference","Kaart verificatie nummer visuele referentie" -"What is this?","Wat is dit?" -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Authorizenet/i18n/pt_BR.csv b/app/code/Magento/Authorizenet/i18n/pt_BR.csv deleted file mode 100644 index 5aa07e625d2ad..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/pt_BR.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,Cancelar -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.","Tem certeza de que deseja cancelar o seu pagamento? Clique em OK para cancelar o seu pagamento e liberar o montante em espera. Clique em Cancelar para inserir outro cartão de crédito e continuar com o seu pagamento." -"Processed Amount","Valor Processado" -"Remaining Balance","Balanço Restante" -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.","Ocorreu um erro ao cancelar as transações. Por favor entre em contato conosco ou tente novamente mais tarde." -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,fracassado -successful,"bem sucedido" -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,autorizar -"authorize and capture","autorizar e capturar" -capture,capturar -refund,reembolso -void,vazio -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.","Erro de atualização de pagamento." -"Authorize Only","Somente Autorizar" -"Authorize and Capture","Autorizar e Controlar" -"Invalid amount for capture.","Valor inválido para captura." -"Payment capturing error.","Erro de captura de pagamento." -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.","Erro de anulamento de pagamento." -"Invalid amount for refund.","Valor inválido para reembolso." -"Payment refunding error.","Erro de reembolso de pagamento." -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type","Tipo de Cartão de Crédito" -"Credit Card Number","Número do Cartão de Crédito" -"Expiration Date","Data de Validade" -"Card Verification Number","Número de Verificação do Cartão" -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information","Informações do Cartão de Crédito" -"--Please Select--","--Por Favor, Escolha--" -"Card Verification Number Visual Reference","Referência Visual de Número de Verificação do Cartão" -"What is this?","O que é isso?" -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Authorizenet/i18n/zh_Hans_CN.csv b/app/code/Magento/Authorizenet/i18n/zh_Hans_CN.csv deleted file mode 100644 index 0847524628d66..0000000000000 --- a/app/code/Magento/Authorizenet/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,100 +0,0 @@ -Cancel,取消 -"You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding.","You don't have enough on your credit card to pay for this purchase. To complete your purchase, click ""OK"" and add a credit card to use for the balance. Otherwise, you can cancel the purchase and release the partial payment we are holding." -"Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way.","Your credit card has been declined. You can click OK to add another credit card to complete your purchase. Or you can cancel this credit transaction and pay a different way." -"We canceled your payment and released any money we were holding.","We canceled your payment and released any money we were holding." -"You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction.","You can't use any more credit cards for this payment, and you don't have enough to pay for this purchase. Sorry, but we'll have to cancel your transaction." -"Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents.","Your order has not been placed, because the contents of the shopping cart and/or your address has been changed. Authorized amounts from your previous payment that were left pending are now released. Please go through the checkout process to purchase your cart contents." -"Are you sure you want to cancel your payment? Click OK to cancel your payment and release the amount on hold. Click Cancel to enter another credit card and continue with your payment.",您是否确定要取消支付?单击确定可取消您的支付,并释放占用的额度。单击取消可输入其他信用卡,并继续进行支付。 -"Processed Amount",处理的额度 -"Remaining Balance",剩下的余额 -"Order saving error: %1","Order saving error: %1" -"Please choose a payment method.","Please choose a payment method." -"You created the order.","You created the order." -"Something went wrong canceling the transactions.","Something went wrong canceling the transactions." -"There was an error canceling transactions. Please contact us or try again later.",取消交易时遇到了错误。请联系我们或稍候重试。 -"We couldn't process your order right now. Please try again later.","We couldn't process your order right now. Please try again later." -"amount %1","amount %1" -failed,失败 -successful,成功 -"Credit Card: xxxx-%1","Credit Card: xxxx-%1" -"Authorize.Net Transaction ID %1","Authorize.Net Transaction ID %1" -authorize,授权 -"authorize and capture",授权和获取 -capture,获取 -refund,退款 -void,避免 -"This is an invalid amount for authorization.","This is an invalid amount for authorization." -"This is an invalid amount for capture.","This is an invalid amount for capture." -"This is an invalid amount for refund.","This is an invalid amount for refund." -"This is an invalid split tenderId ID.","This is an invalid split tenderId ID." -"Something went wrong while canceling the payment.","Something went wrong while canceling the payment." -"Something went wrong while authorizing the payment.","Something went wrong while authorizing the payment." -"Something went wrong while capturing the payment.","Something went wrong while capturing the payment." -"The shopping cart contents and/or address has been changed.","The shopping cart contents and/or address has been changed." -"This is an invalid amount for partial authorization.","This is an invalid amount for partial authorization." -"Parent Authorize.Net transaction (ID %1) expired","Parent Authorize.Net transaction (ID %1) expired" -"Something went wrong while voiding the payment.","Something went wrong while voiding the payment." -"Something went wrong while refunding the payment.","Something went wrong while refunding the payment." -"You have reached the maximum number of credit cards ' 'allowed to be used for the payment.","You have reached the maximum number of credit cards ' 'allowed to be used for the payment." -"Something went wrong while authorizing the partial payment.","Something went wrong while authorizing the partial payment." -"Something went wrong in the payment gateway.","Something went wrong in the payment gateway." -"Gateway error: %1","Gateway error: %1" -"Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s).","Gateway actions are locked because the gateway cannot complete ' 'one or more of the transactions. ' 'Please log in to your Authorize.Net account to manually resolve the issue(s)." -"Payment updating error.",支付更新错误。 -"Authorize Only",仅供授权 -"Authorize and Capture",授权和捕获 -"Invalid amount for capture.",获取的额度无效。 -"Payment capturing error.",支付捕获出错。 -"Invalid transaction ID.","Invalid transaction ID." -"Payment voiding error.",支付的作废出错。 -"Invalid amount for refund.",退款额度无效。 -"Payment refunding error.",支付的退款出错。 -"The transaction was declined because the response hash validation failed.","The transaction was declined because the response hash validation failed." -"This payment didn't work out because we can't find this order.","This payment didn't work out because we can't find this order." -"There was a payment authorization error.","There was a payment authorization error." -"This payment was not authorized because the transaction ID field is empty.","This payment was not authorized because the transaction ID field is empty." -"Amount of %1 approved by payment gateway. Transaction ID: ""%2"".","Amount of %1 approved by payment gateway. Transaction ID: ""%2""." -"Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again.","Something went wrong: the paid amount doesn't match the order amount. Please correct this and try again." -"Credit Card Type",信用卡类型 -"Credit Card Number",信用卡号码 -"Expiration Date",过期日期 -"Card Verification Number",卡片验证号码 -"Click ""Cancel"" to remove any pending status and release money already processed during this payment.","Click ""Cancel"" to remove any pending status and release money already processed during this payment." -"Please enter a different credit card number to complete your purchase.","Please enter a different credit card number to complete your purchase." -"Credit Card %1","Credit Card %1" -"Credit Card Information",信用卡信息 -"--Please Select--","-- 请选择 --" -"Card Verification Number Visual Reference","信用卡验证号码 视觉参考" -"What is this?",这是什么? -"You'll be asked for your payment details before placing an order.","You'll be asked for your payment details before placing an order." -"To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel.","To cancel pending authorizations and release amounts that have already been processed during this payment, click Cancel." -Processing...,Processing... -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"3D Secure Card Validation","3D Secure Card Validation" -"New Order Status","New Order Status" -"No confirmation","No confirmation" -Authorize.net,Authorize.net -"Credit Card Types","Credit Card Types" -"Credit Card Verification","Credit Card Verification" -"Email Customer","Email Customer" -"API Login ID","API Login ID" -"Merchant's Email","Merchant's Email" -"Test Mode","Test Mode" -Debug,Debug -"Transaction Key","Transaction Key" -"Payment Action","Payment Action" -"Accepted Currency","Accepted Currency" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Allow Partial Authorization","Allow Partial Authorization" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement.","If you leave this empty, we'll use a default value. The custom URL may be provided by CardinalCommerce agreement." -"Authorize.net Direct Post","Authorize.net Direct Post" -"Merchant MD5","Merchant MD5" -"Gateway URL","Gateway URL" diff --git a/app/code/Magento/Backend/i18n/de_DE.csv b/app/code/Magento/Backend/i18n/de_DE.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/de_DE.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backend/i18n/es_ES.csv b/app/code/Magento/Backend/i18n/es_ES.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/es_ES.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backend/i18n/fr_FR.csv b/app/code/Magento/Backend/i18n/fr_FR.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/fr_FR.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backend/i18n/nl_NL.csv b/app/code/Magento/Backend/i18n/nl_NL.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/nl_NL.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backend/i18n/pt_BR.csv b/app/code/Magento/Backend/i18n/pt_BR.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/pt_BR.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv b/app/code/Magento/Backend/i18n/zh_Hans_CN.csv deleted file mode 100644 index 7c6b4dab5992d..0000000000000 --- a/app/code/Magento/Backend/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,616 +0,0 @@ -Custom,Custom -"Are you sure?","Are you sure?" -Close,Close -Cancel,Cancel -Back,Back -Product,Product -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Customers,Customers -No,No -Subtotal,Subtotal -Discount,Discount -Action,Action -"Excl. Tax","Excl. Tax" -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -Reset,Reset -Edit,Edit -"What is this?","What is this?" -"Invalid Form Key. Please refresh the page.","Invalid Form Key. Please refresh the page." -"You entered an invalid Secret Key. Please refresh the page.","You entered an invalid Secret Key. Please refresh the page." -"Cache Storage Management","Cache Storage Management" -"Flush Magento Cache","Flush Magento Cache" -"Cache storage may contain additional data. Are you sure that you want flush it?","Cache storage may contain additional data. Are you sure that you want flush it?" -"Flush Cache Storage","Flush Cache Storage" -Invalidated,Invalidated -Orders,Orders -Amounts,Amounts -Bestsellers,Bestsellers -"Most Viewed Products","Most Viewed Products" -"New Customers","New Customers" -Customer,Customer -Guest,Guest -Items,Items -"Grand Total","Grand Total" -"Lifetime Sales","Lifetime Sales" -"Average Orders","Average Orders" -"Search Term","Search Term" -Results,Results -Uses,Uses -Average,Average -"Order Quantity","Order Quantity" -Views,Views -Revenue,Revenue -Tax,Tax -Shipping,Shipping -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"Media (.avi, .flv, .swf)","Media (.avi, .flv, .swf)" -"All Files","All Files" -"Interface Language","Interface Language" -"Reset to Default","Reset to Default" -"All Store Views","All Store Views" -"Save Account","Save Account" -"My Account","My Account" -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -"Save Cache Settings","Save Cache Settings" -"Catalog Rewrites","Catalog Rewrites" -Refresh,Refresh -"Images Cache","Images Cache" -Clear,Clear -"Search Index","Search Index" -Rebuild,Rebuild -"Inventory Stock Status","Inventory Stock Status" -"Rebuild Catalog Index","Rebuild Catalog Index" -"Rebuild Flat Catalog Category","Rebuild Flat Catalog Category" -"Rebuild Flat Catalog Product","Rebuild Flat Catalog Product" -"Cache Control","Cache Control" -"All Cache","All Cache" -"No change","No change" -Disable,Disable -Enable,Enable -"Default Config","Default Config" -"Save Config","Save Config" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -"Use Website","Use Website" -Add,Add -"Delete File","Delete File" -"Search String","Search String" -"Design Theme","Design Theme" -"Add \Exception","Add \Exception" -"-- No Theme --","-- No Theme --" -Synchronize,Synchronize -Configuration,Configuration -"Add Design Change","Add Design Change" -Delete,Delete -Save,Save -"Edit Design Change","Edit Design Change" -"New Store Design Change","New Store Design Change" -"General Settings","General Settings" -Store,Store -"-- Please Select --","-- Please Select --" -"Custom Design","Custom Design" -"Date From","Date From" -"Date To","Date To" -"Design Change","Design Change" -General,General -"Delete %1 '%2'","Delete %1 '%2'" -"Delete %1","Delete %1" -"Block Information","Block Information" -"Backup Options","Backup Options" -"Create DB Backup","Create DB Backup" -Yes,Yes -"Delete Store","Delete Store" -"Delete Web Site","Delete Web Site" -"Save Web Site","Save Web Site" -"Save Store","Save Store" -"Save Store View","Save Store View" -"Delete Store View","Delete Store View" -"Edit Web Site","Edit Web Site" -"New Web Site","New Web Site" -"Edit Store","Edit Store" -"New Store","New Store" -"Edit Store View","Edit Store View" -"New Store View","New Store View" -"Store Information","Store Information" -"Web Site","Web Site" -Name,Name -"Root Category","Root Category" -"Default Store View","Default Store View" -"Store View Information","Store View Information" -Code,Code -Status,Status -Disabled,Disabled -Enabled,Enabled -"Sort Order","Sort Order" -"Web Site Information","Web Site Information" -"Default Store","Default Store" -"Set as Default","Set as Default" -Stores,Stores -"Create Website","Create Website" -"Create Store","Create Store" -"Create Store View","Create Store View" -"Custom Variables","Custom Variables" -"Add New Variable","Add New Variable" -"Save and Continue Edit","Save and Continue Edit" -"Custom Variable ""%1""","Custom Variable ""%1""" -"New Custom Variable","New Custom Variable" -Variable,Variable -"Variable Code","Variable Code" -"Variable Name","Variable Name" -"Use Default Variable Values","Use Default Variable Values" -"Variable HTML Value","Variable HTML Value" -"Variable Plain Value","Variable Plain Value" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -Category:,Category: -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -Product:,Product: -"Skip Category Selection","Skip Category Selection" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -Title,Title -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Are you sure you want to do this?","Are you sure you want to do this?" -"URL Rewrite Information","URL Rewrite Information" -Type,Type -"ID Path","ID Path" -"Request Path","Request Path" -"Target Path","Target Path" -Redirect,Redirect -Description,Description -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"Global Attribute","Global Attribute" -"This attribute shares the same value in all stores.","This attribute shares the same value in all stores." -Home,Home -"Add New Image","Add New Image" -"Reset Filter","Reset Filter" -Search,Search -Any,Any -"All Countries","All Countries" -From,From -To,To -"Date selector","Date selector" -"[ deleted ]","[ deleted ]" -"Select All","Select All" -" [deleted]"," [deleted]" -"We couldn't find any records.","We couldn't find any records." -"Add New","Add New" -Export,Export -"Please correct the column format and try again.","Please correct the column format and try again." -"Please select items.","Please select items." -Submit,Submit -"Please correct the tab configuration and try again.","Please correct the tab configuration and try again." -"You have logged out.","You have logged out." -"Cache Management","Cache Management" -"You flushed the cache storage.","You flushed the cache storage." -"The Magento cache storage has been flushed.","The Magento cache storage has been flushed." -"%1 cache type(s) enabled.","%1 cache type(s) enabled." -"An error occurred while enabling cache.","An error occurred while enabling cache." -"%1 cache type(s) disabled.","%1 cache type(s) disabled." -"An error occurred while disabling cache.","An error occurred while disabling cache." -"%1 cache type(s) refreshed.","%1 cache type(s) refreshed." -"An error occurred while refreshing cache.","An error occurred while refreshing cache." -"Specified cache type(s) don't exist: ","Specified cache type(s) don't exist: " -"The JavaScript/CSS cache has been cleaned.","The JavaScript/CSS cache has been cleaned." -"An error occurred while clearing the JavaScript/CSS cache.","An error occurred while clearing the JavaScript/CSS cache." -"The image cache was cleaned.","The image cache was cleaned." -"An error occurred while clearing the image cache.","An error occurred while clearing the image cache." -Dashboard,Dashboard -"invalid request","invalid request" -"see error log for details","see error log for details" -"Service unavailable: %1","Service unavailable: %1" -Error,Error -"Access Denied","Access Denied" -"You need more permissions to do this.","You need more permissions to do this." -"No search modules were registered","No search modules were registered" -"Please make sure that all global admin search modules are installed and activated.","Please make sure that all global admin search modules are installed and activated." -System,System -"The account has been saved.","The account has been saved." -"An error occurred while saving account.","An error occurred while saving account." -"This section is not allowed.","This section is not allowed." -"You saved the configuration.","You saved the configuration." -"An error occurred while saving this configuration:","An error occurred while saving this configuration:" -"Synchronizing %1 to %2","Synchronizing %1 to %2" -Synchronizing...,Synchronizing... -"The timeout limit for response from synchronize process was reached.","The timeout limit for response from synchronize process was reached." -"Store Design","Store Design" -"Edit Store Design Change","Edit Store Design Change" -"You saved the design change.","You saved the design change." -"You deleted the design change.","You deleted the design change." -"Cannot delete the design change.","Cannot delete the design change." -"Manage Stores","Manage Stores" -"The website does not exist.","The website does not exist." -"Before modifying the website code please make sure that it is not used in index.php.","Before modifying the website code please make sure that it is not used in index.php." -"The store does not exist","The store does not exist" -"Store view doesn't exist","Store view doesn't exist" -"Before modifying the store view code please make sure that it is not used in index.php.","Before modifying the store view code please make sure that it is not used in index.php." -"New ","New " -"The website has been saved.","The website has been saved." -"The store has been saved.","The store has been saved." -"The store view has been saved","The store view has been saved" -"An error occurred while saving. Please review the error log.","An error occurred while saving. Please review the error log." -"Unable to proceed. Please, try again.","Unable to proceed. Please, try again." -"This website cannot be deleted.","This website cannot be deleted." -"This store cannot be deleted.","This store cannot be deleted." -"This store view cannot be deleted.","This store view cannot be deleted." -"Unable to proceed. Please, try again","Unable to proceed. Please, try again" -"The website has been deleted.","The website has been deleted." -"Unable to delete website. Please, try again later.","Unable to delete website. Please, try again later." -"The store has been deleted.","The store has been deleted." -"Unable to delete store. Please, try again later.","Unable to delete store. Please, try again later." -"The store view has been deleted.","The store view has been deleted." -"Unable to delete store view. Please, try again later.","Unable to delete store view. Please, try again later." -"The database was backed up.","The database was backed up." -"We couldn't create a backup right now. Please try again later.","We couldn't create a backup right now. Please try again later." -"Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1.","Deleting a %1 will not delete the information associated with the %1 (e.g. categories, products, etc.), but the %1 will not be able to be restored. It is suggested that you create a database backup before deleting the %1." -"You saved the custom variable.","You saved the custom variable." -"You deleted the custom variable.","You deleted the custom variable." -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"Chosen product does not associated with the chosen store or category.","Chosen product does not associated with the chosen store or category." -"Chosen category does not associated with the chosen store.","Chosen category does not associated with the chosen store." -"Chosen cms page does not associated with the chosen store.","Chosen cms page does not associated with the chosen store." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Last 24 Hours","Last 24 Hours" -"Last 7 Days","Last 7 Days" -"Current Month","Current Month" -YTD,YTD -2YTD,2YTD -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Authentication error occurred.","Authentication error occurred." -"Please specify the admin custom URL.","Please specify the admin custom URL." -"Invalid %1. %2","Invalid %1. %2" -"Value must be a URL or one of placeholders: %1","Value must be a URL or one of placeholders: %1" -"Specify a URL or path that starts with placeholder(s): %1, and ends with ""/"".","Specify a URL or path that starts with placeholder(s): %1, and ends with ""/""." -"%1 An empty value is allowed as well.","%1 An empty value is allowed as well." -"Specify a fully qualified URL.","Specify a fully qualified URL." -"Selected allowed currency ""%1"" is not available in installed currencies.","Selected allowed currency ""%1"" is not available in installed currencies." -"Default display currency ""%1"" is not available in allowed currencies.","Default display currency ""%1"" is not available in allowed currencies." -"Sorry, we haven't installed the base currency you selected.","Sorry, we haven't installed the base currency you selected." -"We can't save the Cron expression.","We can't save the Cron expression." -"Sorry, we haven't installed the default display currency you selected.","Sorry, we haven't installed the default display currency you selected." -"Sorry, the default display currency you selected in not available in allowed currencies.","Sorry, the default display currency you selected in not available in allowed currencies." -"Please correct the email address: ""%1"".","Please correct the email address: ""%1""." -"The sender name ""%1"" is not valid. Please use only visible characters and spaces.","The sender name ""%1"" is not valid. Please use only visible characters and spaces." -"Maximum sender name length is 255. Please correct your settings.","Maximum sender name length is 255. Please correct your settings." -"The file you're uploading exceeds the server size limit of %1 kilobytes.","The file you're uploading exceeds the server size limit of %1 kilobytes." -"The base directory to upload file is not specified.","The base directory to upload file is not specified." -"The specified image adapter cannot be used because of: ","The specified image adapter cannot be used because of: " -"Default scope","Default scope" -"Base currency","Base currency" -"Display default currency","Display default currency" -"website(%1) scope","website(%1) scope" -"store(%1) scope","store(%1) scope" -"Currency ""%1"" is used as %2 in %3.","Currency ""%1"" is used as %2 in %3." -"Please correct the timezone.","Please correct the timezone." -"IP Address","IP Address" -"Cookie (unsafe)","Cookie (unsafe)" -"Always (during development)","Always (during development)" -"Only Once (version upgrade)","Only Once (version upgrade)" -"Never (production)","Never (production)" -Bcc,Bcc -"Separate Email","Separate Email" -"%1 (Default)","%1 (Default)" -title,title -Optional,Optional -Required,Required -Website,Website -"File System","File System" -Database,Database -"HTTP (unsecure)","HTTP (unsecure)" -"HTTPS (SSL)","HTTPS (SSL)" -"Yes (302 Found)","Yes (302 Found)" -"Yes (301 Moved Permanently)","Yes (301 Moved Permanently)" -Specified,Specified -Order,Order -"Order #%1","Order #%1" -"Order #%1 (%2)","Order #%1 (%2)" -"Access denied","Access denied" -"Please try to log out and sign in again.","Please try to log out and sign in again." -"If you continue to receive this message, please contact the store owner.","If you continue to receive this message, please contact the store owner." -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Welcome,Welcome -"User Name:","User Name:" -"user name","user name" -Password:,Password: -password,password -"Log in","Log in" -"Please wait...","Please wait..." -"Select Range:","Select Range:" -"No Data Found","No Data Found" -"Chart is disabled. To enable the chart, click here.","Chart is disabled. To enable the chart, click here." -"Last 5 Orders","Last 5 Orders" -"Last 5 Search Terms","Last 5 Search Terms" -"Top 5 Search Terms","Top 5 Search Terms" -"There are no search keywords.","There are no search keywords." -"View Statistics For:","View Statistics For:" -"All Websites","All Websites" -"Shipping Amount","Shipping Amount" -"Tax Amount","Tax Amount" -"Browse Files...","Browse Files..." -"Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved.","Magento is an eBay Inc. company. Copyright© %1 Magento, Inc. All rights reserved." -"Magento ver. %1","Magento ver. %1" -"Help Us Keep Magento Healthy - Report All Bugs","Help Us Keep Magento Healthy - Report All Bugs" -"Account Setting","Account Setting" -"Customer View","Customer View" -"Sign Out","Sign Out" -"About the calendar","About the calendar" -"Go Today","Go Today" -Previous,Previous -Next,Next -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers (1-9) into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z) into this field.","Please enter only letters (a-z) into this field." -"Please enter only numbers (0-9) or letters (a-z) into this field.","Please enter only numbers (0-9) or letters (a-z) into this field." -"Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters.","Please enter only numbers or letters into this field. Do not use spaces, commas, or any other characters." -"Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field.","Please enter only letters (a-z), numbers (0-9), spaces and the ""#"" character into this field." -"Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890).","Please enter a valid phone number (for example, (123) 456-7890 or 123-456-7890)." -"Please enter a valid date.","Please enter a valid date." -"Please enter a valid email address(for example johndoe@domain.com.).","Please enter a valid email address(for example johndoe@domain.com.)." -"Please enter 6 or more characters.","Please enter 6 or more characters." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid URL (for example, the URL must begin with ""http://"").","Please enter a valid URL (for example, the URL must begin with ""http://"")." -"Please enter a valid URL (for examples, http://www.example.com or www.example.com).","Please enter a valid URL (for examples, http://www.example.com or www.example.com)." -"Please enter a valid social security number (for example, 123-45-6789).","Please enter a valid social security number (for example, 123-45-6789)." -"Please enter a valid zip code (for example, 90602 or 90602-1234).","Please enter a valid zip code (for example, 90602 or 90602-1234)." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006.","Please use this date format: dd/mm/yyyy. For example, enter ""17/03/2006"" to represent March 17, 2006." -"Please enter a valid dollar amount (for example, $100.00).","Please enter a valid dollar amount (for example, $100.00)." -"Please select one of these options.","Please select one of these options." -"Please select State/Province.","Please select State/Province." -"Please enter a valid password.","Please enter a valid password." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"JavaScript may be disabled in your browser.","JavaScript may be disabled in your browser." -"To use this website you must first enable JavaScript in your browser.","To use this website you must first enable JavaScript in your browser." -"This is only a demo store. You can browse and place orders, but nothing will be processed.","This is only a demo store. You can browse and place orders, but nothing will be processed." -Scope:,Scope: -"Stores Configuration","Stores Configuration" -"Please confirm scope switching. All data that hasn't been saved will be lost.","Please confirm scope switching. All data that hasn't been saved will be lost." -"Additional Cache Management","Additional Cache Management" -"Flush Catalog Images Cache","Flush Catalog Images Cache" -"Pregenerated product images files","Pregenerated product images files" -"Flush JavaScript/CSS Cache","Flush JavaScript/CSS Cache" -"Themes JavaScript and CSS files combined to one file.","Themes JavaScript and CSS files combined to one file." -"Flush Static Files Cache", "Flush Static Files Cache" -"Preprocessed view files and static files", "Preprocessed view files and static files" -Catalog,Catalog -JavaScript/CSS,JavaScript/CSS -"JavaScript/CSS Cache","JavaScript/CSS Cache" -"Add after","Add after" -"Current Configuration Scope:","Current Configuration Scope:" -"Personal Information","Personal Information" -"No records found.","No records found." -"Select Category","Select Category" -Images,Images -"Big Image","Big Image" -Thumbnail,Thumbnail -"Additional Settings","Additional Settings" -"Total %1 records found","Total %1 records found" -View,View -"per page","per page" -Page,Page -"Previous page","Previous page" -"of %1","of %1" -"Next page","Next page" -"Export to:","Export to:" -Actions,Actions -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -Country,Country -City,City -"VAT Number","VAT Number" -"Street Address","Street Address" -Design,Design -"Media Storage","Media Storage" -Admin,Admin -Advanced,Advanced -"Transactional Emails","Transactional Emails" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Sender Name","Sender Name" -"Sender Email","Sender Email" -Locale,Locale -"Base URL","Base URL" -"Enable Charts","Enable Charts" -"Secure Base URL","Secure Base URL" -Host,Host -"File extension not known or unsupported type.","File extension not known or unsupported type." -Debug,Debug -"System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml).","System(config.xml, local.xml) and modules configuration files(config.xml, menu.xml)." -Services,Services -"Disable Modules Output","Disable Modules Output" -"Store Email Addresses","Store Email Addresses" -"Custom Email 1","Custom Email 1" -"Custom Email 2","Custom Email 2" -"General Contact","General Contact" -"Sales Representative","Sales Representative" -"Customer Support","Customer Support" -"User-Agent Exceptions","User-Agent Exceptions" -" - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- "," - Search strings are either normal strings or regular exceptions (PCRE). They are matched in the same order as entered. Examples:
Firefox
/^mozilla/i
- " -"Find a string in client user-agent header and switch to specific design theme for that browser.","Find a string in client user-agent header and switch to specific design theme for that browser." -Pagination,Pagination -"Pagination Frame","Pagination Frame" -"How many links to display at once.","How many links to display at once." -"Pagination Frame Skip","Pagination Frame Skip" -"If the current frame position does not cover utmost pages, will render link to current position plus/minus this value.","If the current frame position does not cover utmost pages, will render link to current position plus/minus this value." -"Anchor Text for Previous","Anchor Text for Previous" -"Alternative text for previous link in pagination menu. If empty, default arrow image will used.","Alternative text for previous link in pagination menu. If empty, default arrow image will used." -"Anchor Text for Next","Anchor Text for Next" -"Alternative text for next link in pagination menu. If empty, default arrow image will used.","Alternative text for next link in pagination menu. If empty, default arrow image will used." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -Developer,Developer -"Developer Client Restrictions","Developer Client Restrictions" -"Allowed IPs (comma separated)","Allowed IPs (comma separated)" -"Leave empty for access from any location.","Leave empty for access from any location." -"Template Path Hints","Template Path Hints" -"Add Block Names to Hints","Add Block Names to Hints" -"Template Settings","Template Settings" -"Allow Symlinks","Allow Symlinks" -"Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk.","Warning! Enabling this feature is not recommended on production environments because it represents a potential security risk." -"Translate Inline","Translate Inline" -"Enabled for Frontend","Enabled for Frontend" -"Enabled for Admin","Enabled for Admin" -"Translate, blocks and other output caches should be disabled for both frontend and admin inline translations.","Translate, blocks and other output caches should be disabled for both frontend and admin inline translations." -"Log Settings","Log Settings" -"System Log File Name","System Log File Name" -"Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log","Logging from \Psr\Log\LoggerInterface. File is located in {{base_dir}}/var/log" -"Exceptions Log File Name","Exceptions Log File Name" -"JavaScript Settings","JavaScript Settings" -"Merge JavaScript Files","Merge JavaScript Files" -"Minify JavaScript Files","Minify JavaScript Files" -"CSS Settings","CSS Settings" -"Merge CSS Files","Merge CSS Files" -"Image Processing Settings","Image Processing Settings" -"Image Adapter","Image Adapter" -"Static Files Settings","Static Files Settings" -"Sign Static Files","Sign Static Files" -"Country Options","Country Options" -"Allow Countries","Allow Countries" -"Default Country","Default Country" -"European Union Countries","European Union Countries" -"Locale Options","Locale Options" -Timezone,Timezone -"First Day of Week","First Day of Week" -"Weekend Days","Weekend Days" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Single-Store Mode","Single-Store Mode" -"Enable Single-Store Mode","Enable Single-Store Mode" -"This setting will not be taken into account if system has more than one store view.","This setting will not be taken into account if system has more than one store view." -"Mail Sending Settings","Mail Sending Settings" -"Disable Email Communications","Disable Email Communications" -"Port (25)","Port (25)" -"Set Return-Path","Set Return-Path" -"Return-Path Email","Return-Path Email" -"Storage Configuration for Media","Storage Configuration for Media" -"Select Media Database","Select Media Database" -"After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete.","After selecting a new media storage location, press the Synchronize button to transfer all media to that location. Media will not be available in the new location until the synchronization process is complete." -"Environment Update Time","Environment Update Time" -"Admin User Emails","Admin User Emails" -"Forgot Password Email Template","Forgot Password Email Template" -"Forgot and Reset Email Sender","Forgot and Reset Email Sender" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Startup Page","Startup Page" -"Admin Base URL","Admin Base URL" -"Use Custom Admin URL","Use Custom Admin URL" -"Custom Admin URL","Custom Admin URL" -"Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/","Make sure that base URL ends with '/' (slash), e.g. http://yourdomain/magento/" -"Use Custom Admin Path","Use Custom Admin Path" -"Custom Admin Path","Custom Admin Path" -"You will have to log in after you save your custom admin path.","You will have to log in after you save your custom admin path." -Security,Security -"Add Secret Key to URLs","Add Secret Key to URLs" -"Login is Case Sensitive","Login is Case Sensitive" -"Admin Session Lifetime (seconds)","Admin Session Lifetime (seconds)" -"Values less than 60 are ignored.","Values less than 60 are ignored." -Web,Web -"Url Options","Url Options" -"Add Store Code to Urls","Add Store Code to Urls" -" - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - "," - Warning! When using Store Code in URLs, in some cases system may not work properly if URLs without Store Codes are specified in the third party services (e.g. PayPal etc.). - " -"Auto-redirect to Base URL","Auto-redirect to Base URL" -"Search Engine Optimization","Search Engine Optimization" -"Use Web Server Rewrites","Use Web Server Rewrites" -"Base URLs","Base URLs" -"Specify URL or {{base_url}} placeholder.","Specify URL or {{base_url}} placeholder." -"Base Link URL","Base Link URL" -"Base URL for Static View Files","Base URL for Static View Files" -"May be empty or start with {{unsecure_base_url}} placeholder.","May be empty or start with {{unsecure_base_url}} placeholder." -"Base URL for User Media Files","Base URL for User Media Files" -"Base URLs (Secure)","Base URLs (Secure)" -"Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder.","Specify URL or {{base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base Link URL","Secure Base Link URL" -"Secure Base URL for Static View Files","Secure Base URL for Static View Files" -"May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder.","May be empty or start with {{secure_base_url}}, or {{unsecure_base_url}} placeholder." -"Secure Base URL for User Media Files","Secure Base URL for User Media Files" -"Use Secure URLs in Frontend","Use Secure URLs in Frontend" -"Use Secure URLs in Admin","Use Secure URLs in Admin" -"Offloader header","Offloader header" -"Default Pages","Default Pages" -"Default Web URL","Default Web URL" -"Default No-route URL","Default No-route URL" -"Default Cookie Settings","Default Cookie Settings" -"Cookie Lifetime","Cookie Lifetime" -"Cookie Path","Cookie Path" -"Cookie Domain","Cookie Domain" -"Use HTTP Only","Use HTTP Only" -"Cookie Restriction Mode","Cookie Restriction Mode" -"Session Validation Settings","Session Validation Settings" -"Validate REMOTE_ADDR","Validate REMOTE_ADDR" -"Validate HTTP_VIA","Validate HTTP_VIA" -"Validate HTTP_X_FORWARDED_FOR","Validate HTTP_X_FORWARDED_FOR" -"Validate HTTP_USER_AGENT","Validate HTTP_USER_AGENT" -"Use SID on Frontend","Use SID on Frontend" -"Allows customers to stay logged in when switching between different stores.","Allows customers to stay logged in when switching between different stores." -"Cache Type","Cache Type" -Tags,Tags -"

404 Error

Page not found.

","

404 Error

Page not found.

" -"Variable ID","Variable ID" -Options,Options -"Magento Admin","Magento Admin" -"Community Edition","Community Edition" -Marketing,Marketing -Communications,Communications -"SEO & Search","SEO & Search" -"User Content","User Content" -"Data Transfer","Data Transfer" -"Import History","Import History" -Extensions,Extensions -"Web Setup Wizard","Web Setup Wizard" diff --git a/app/code/Magento/Backup/i18n/de_DE.csv b/app/code/Magento/Backup/i18n/de_DE.csv deleted file mode 100644 index d06f30000fbf2..0000000000000 --- a/app/code/Magento/Backup/i18n/de_DE.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,Aktion -failed,failed -successful,successful -Delete,Delete -Name,Name -Type,Typ -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,Zeit -"System Backup",Systemsicherung -"Database and Media Backup","Sicherungskopie von Datenbank und Medien" -"Database Backup","Sicherungskopie der Datenbank" -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,Sicherungsdateien -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","FTP-Validierung fehlgeschlagen" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback","Rollback fehlgeschlagen" -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.","Die ausgewählte(n) Datenkopie(n) wurde(n) gelöscht." -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.","Die Sicherungskopie des Systems wurde angelegt." -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.","Die Sicherungskopie von Datenbank und Medien wurde angelegt." -"The database backup has been created.","Die Sicherungskopie der Datenbank wurde angelegt." -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup","Sicherungsdatei anlegen" -Download,Download -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?","Sind Sie sicher, dass Sie die ausgewählten Sicherungskopie(n) löschen wollen?" -Size(bytes),Size(bytes) -Rollback,Rollback diff --git a/app/code/Magento/Backup/i18n/es_ES.csv b/app/code/Magento/Backup/i18n/es_ES.csv deleted file mode 100644 index 62086f4e01491..0000000000000 --- a/app/code/Magento/Backup/i18n/es_ES.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,Acción -failed,failed -successful,successful -Delete,Delete -Name,Nombre -Type,Tipo -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,Tiempo -"System Backup","Copia de seguridad del sistema" -"Database and Media Backup","Copia de seguridad de base de datos y medios" -"Database Backup","Copia de seguridad de base de datos" -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,"Copias de seguridad" -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","No ha sido posible validar el FTP" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback","No ha sido posible revertir" -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.","Se han eliminado las copias de seguridad seleccionadas." -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.","Se ha creado la copia de seguridad del sistema." -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.","Se ha creado la copia de seguridad de la base de datos y de los medios." -"The database backup has been created.","Se ha creado la copia de seguridad de la base de datos." -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup","Crear Copia de seguridad" -Download,Descargar -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?","¿Seguro que desea eliminar las copias de seguridad seleccionadas?" -Size(bytes),Size(bytes) -Rollback,Revertir diff --git a/app/code/Magento/Backup/i18n/fr_FR.csv b/app/code/Magento/Backup/i18n/fr_FR.csv deleted file mode 100644 index 9a383f775e52a..0000000000000 --- a/app/code/Magento/Backup/i18n/fr_FR.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,Action -failed,failed -successful,successful -Delete,Delete -Name,Nom -Type,Type -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,Temps -"System Backup","Sauvegarde du système" -"Database and Media Backup","Sauvegarde de la base de données et des médias" -"Database Backup","Sauvegarde de la base de données" -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,Sauvegardes -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","Échec de la validation du FTP" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback","Échec de la réduction" -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.","La copie de sauvegarde sélectionnée a été supprimée." -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.","La copie de sauvegarde du système a été créée." -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.","La copie de sauvegarde de la base de données et des médias a été créée." -"The database backup has been created.","La copie de sauvegarde de la base de données a été créée." -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup","Créer sauvegarde" -Download,Téléchargement -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?","êtes-vous sûrs de vouloir supprimer la/les copie(s) de sauvegarde sélectionnée(s) ?" -Size(bytes),Size(bytes) -Rollback,Réduction diff --git a/app/code/Magento/Backup/i18n/nl_NL.csv b/app/code/Magento/Backup/i18n/nl_NL.csv deleted file mode 100644 index 13950d82df1e6..0000000000000 --- a/app/code/Magento/Backup/i18n/nl_NL.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,Actie -failed,failed -successful,successful -Delete,Delete -Name,Naam -Type,type -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,Tijd -"System Backup","Systeem Back-up" -"Database and Media Backup","Database en Media Back-up" -"Database Backup","Database Back-up" -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,Backups -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","Kan FTP niet valideren" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback","Terugdraaien mislukt" -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.","De geselecteerde back-up(s) is/zijn verwijderd." -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.","Het systeem back-up is gemaakt." -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.","De database en media back-up zijn gemaakt." -"The database backup has been created.","De database back-up is gemaakt." -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup","Creëer backup" -Download,Download -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?","Weet u zeker dat u de geselecteerde back-up(s) wilt verwijderen?" -Size(bytes),Size(bytes) -Rollback,Terugrollen diff --git a/app/code/Magento/Backup/i18n/pt_BR.csv b/app/code/Magento/Backup/i18n/pt_BR.csv deleted file mode 100644 index 48a61b658125f..0000000000000 --- a/app/code/Magento/Backup/i18n/pt_BR.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,Ação -failed,failed -successful,successful -Delete,Delete -Name,Nome -Type,Tipo -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,Tempo -"System Backup","Backup do sistema" -"Database and Media Backup","Backup de banco de dados e mídia" -"Database Backup","Backup de banco de dados" -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,"Cópias de segurança" -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","Falha ao validar FTP" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback","Falha ao restaurar" -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.","Backup(s) selecionado(s) deletado(s)." -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.","O backup do sistema foi criado." -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.","O backup do banco de dados e de mídia foi criado." -"The database backup has been created.","O backup do banco de dados foi criado." -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup","Criar Cópia de Segurança" -Download,Baixar -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?","Você tem certeza que quer deletar o(s) backup(s) selecionado(s)?" -Size(bytes),Size(bytes) -Rollback,Reversão diff --git a/app/code/Magento/Backup/i18n/zh_Hans_CN.csv b/app/code/Magento/Backup/i18n/zh_Hans_CN.csv deleted file mode 100644 index 62aeea0861a3a..0000000000000 --- a/app/code/Magento/Backup/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,81 +0,0 @@ -Cancel,Cancel -Action,操作 -failed,failed -successful,successful -Delete,Delete -Name,姓名 -Type,类型 -System,System -"We can't save the Cron expression.","We can't save the Cron expression." -Database,Database -Time,时间 -"System Backup",系统备份 -"Database and Media Backup",数据库与媒体备份 -"Database Backup",数据库备份 -"The archive can be uncompressed with %2 on Windows systems.","The archive can be uncompressed with %2 on Windows systems." -Backups,备份 -Tools,Tools -Backup,Backup -"You need more permissions to activate maintenance mode right now.","You need more permissions to activate maintenance mode right now." -"To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the backup, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"Something went wrong putting your store into maintenance mode.","Something went wrong putting your store into maintenance mode." -"You need more free space to create a backup.","You need more free space to create a backup." -"You need more permissions to create a backup.","You need more permissions to create a backup." -"Something went wrong creating the backup.","Something went wrong creating the backup." -"Please correct the password.","Please correct the password." -"To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions.","To continue with the rollback, you need to either deselect ' '""Put store on the maintenance mode"" or update your permissions." -"The backup file was not found.","The backup file was not found." -"We couldn't connect to the FTP.","We couldn't connect to the FTP." -"Failed to validate FTP","验证 FTP 失败" -"Not enough permissions to perform rollback.","Not enough permissions to perform rollback." -"Failed to rollback",回滚失败 -"We couldn't delete one or more backups.","We couldn't delete one or more backups." -"The selected backup(s) has been deleted.",所选备份已删除。 -"Database and Media","Database and Media" -"System (excluding Media)","System (excluding Media)" -"The system backup has been created.",系统备份已创建。 -"The system backup (excluding media) has been created.","The system backup (excluding media) has been created." -"The database and media backup has been created.",数据库与媒体备份已创建。 -"The database backup has been created.",数据库备份已创建。 -"Please correct the order of creation for a new backup.","Please correct the order of creation for a new backup." -"The backup file does not exist.","The backup file does not exist." -"The backup file path was not specified.","The backup file path was not specified." -"The backup file ""%1"" does not exist.","The backup file ""%1"" does not exist." -"Sorry, but we cannot read from or write to backup file ""%1"".","Sorry, but we cannot read from or write to backup file ""%1""." -"The backup file handler was unspecified.","The backup file handler was unspecified." -"Something went wrong writing to the backup file ""%1"".","Something went wrong writing to the backup file ""%1""." -Warning,Warning -"Any data created since the backup was made will be lost including admin users, customers and orders.","Any data created since the backup was made will be lost including admin users, customers and orders." -"Are you sure you want to proceed?","Are you sure you want to proceed?" -OK,OK -"It will take time to create a backup.","It will take time to create a backup." -"Please wait until the action ends.","Please wait until the action ends." -"Are you sure you want to continue?","Are you sure you want to continue?" -"Backup options","Backup options" -"Please specify backup creation option.","Please specify backup creation option." -"Backup Name","Backup Name" -"Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field.","Please use only letters (a-z or A-Z), numbers (0-9) or spaces in this field." -"Please put your store into maintenance mode during backup.","Please put your store into maintenance mode during backup." -"Exclude media folder from backup","Exclude media folder from backup" -"Please enter a password.","Please enter a password." -"Please enter the password to confirm rollback.","Please enter the password to confirm rollback." -"This action cannot be undone.","This action cannot be undone." -"User Password","User Password" -"Please put your store into maintenance mode during rollback processing.","Please put your store into maintenance mode during rollback processing." -"Use FTP Connection","Use FTP Connection" -"FTP credentials","FTP credentials" -"FTP Host","FTP Host" -"FTP Login","FTP Login" -"FTP Password","FTP Password" -"Magento root directory","Magento root directory" -"Create Backup",创建备份 -Download,下载 -"Start Time","Start Time" -Frequency,Frequency -"Scheduled Backup Settings","Scheduled Backup Settings" -"Enable Scheduled Backup","Enable Scheduled Backup" -"Backup Type","Backup Type" -"Maintenance Mode","Maintenance Mode" -"Are you sure you want to delete the selected backup(s)?",你是否确定要删除所选备份? -Size(bytes),Size(bytes) -Rollback,回滚 diff --git a/app/code/Magento/Bundle/i18n/de_DE.csv b/app/code/Magento/Bundle/i18n/de_DE.csv deleted file mode 100644 index 1d933e69589c7..0000000000000 --- a/app/code/Magento/Bundle/i18n/de_DE.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,Keine -Close,Schließen -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax","Steuer weglassen" -Total,Total -"Incl. Tax","Steuer inkludieren" -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,Von -To,An -Required,Required -Position,Position -"Percent Discount","Prozent Rabatt" -"-- Select --","-- Auswählen --" -Dynamic,Dynamisch -Fixed,Fix -"Create New Option","Create New Option" -"Bundle Items",Bundleartikel -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.","Bitte geben Sie Suchbedingungen ein, um Produkte zu sehen." -"Use Default Value","Standardwert verwenden" -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as","So niedrig wie" -"Price Range",Preisklasse -"Please specify product option(s).","Bitte spezifizieren Sie Produktoption(en)." -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,"Nicht verfügbar" -Percent,Prozent -Qty:,Qty: -"Choose a selection...","Wählen Sie eine Auswahl..." -"Ship Bundle Items","Bundleartikel versenden" -Separately,Separat -Together,Zusammen -"Option Title","Option Title" -"Store View Title","Shopansicht Titel" -"Input Type",Eingabetyp -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,Standard -"Price Type",Preistyp -"Default Quantity",Standardanzahl -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as","So niedrig wie" -From:,Von: -To:,An: -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields","* Pflichtfelder" -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.","Es sind keine Optionen dieses Produkts verfügbar." -"Gift Message",Geschenkmitteilung -Message:,Nachricht: -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Bundle/i18n/es_ES.csv b/app/code/Magento/Bundle/i18n/es_ES.csv deleted file mode 100644 index f8aa7f81dec7d..0000000000000 --- a/app/code/Magento/Bundle/i18n/es_ES.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,Nada -Close,Cerrar -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax","Impuestos no incluidos" -Total,Total -"Incl. Tax","Impuestos incluidos" -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,De -To,Para -Required,Required -Position,Posición -"Percent Discount","Descuento porcentaje" -"-- Select --","-- Seleccionar --" -Dynamic,Dinámico -Fixed,Fijo -"Create New Option","Create New Option" -"Bundle Items","Grupo de Artículos" -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.","Por favor, indica las condiciones de búsqueda para ver productos." -"Use Default Value","Usar Valor por Defecto" -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as","Tan bajo como" -"Price Range","Rango de Precio" -"Please specify product option(s).","Por favor, especifica opción(es) del producto" -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N/A -Percent,Porcentaje -Qty:,Qty: -"Choose a selection...","Elegir una selección..." -"Ship Bundle Items","Enviar Artículos en Grupo" -Separately,Separadamente -Together,Juntos -"Option Title","Option Title" -"Store View Title","Título de Vista de Tienda" -"Input Type","Introducir tipo" -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,Predeterminada -"Price Type","Tipo de Precio" -"Default Quantity","Cantidad por Defecto" -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as","Tan bajo como" -From:,Desde: -To:,A: -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields","* Campos obligatorios" -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.","No hay opciones disponibles de este producto" -"Gift Message","Mensaje de Regalo" -Message:,Mensaje: -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Bundle/i18n/fr_FR.csv b/app/code/Magento/Bundle/i18n/fr_FR.csv deleted file mode 100644 index 4fcdfd86c0ba2..0000000000000 --- a/app/code/Magento/Bundle/i18n/fr_FR.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,aucun -Close,Fermer -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax","Taxe non comprise" -Total,Total -"Incl. Tax","Taxe comprise" -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,De -To,A -Required,Required -Position,Position -"Percent Discount","pourcentage de réduction" -"-- Select --","-- Sélectionner --" -Dynamic,Dynamique -Fixed,Fixé -"Create New Option","Create New Option" -"Bundle Items","Grouper les objets" -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.","Entrez les conditions de recherche pour voir les produits" -"Use Default Value","Utiliser la valeur par défaut" -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as","aussi petit que" -"Price Range","Intervalle de prix" -"Please specify product option(s).","Spécifier les options de produit." -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,"non applicable" -Percent,"pour cent" -Qty:,Qty: -"Choose a selection...","Choisir une sélection..." -"Ship Bundle Items","Envoyer le groupe d'objets" -Separately,Séparément -Together,ensemble -"Option Title","Option Title" -"Store View Title","Titre de la vue du magasin" -"Input Type","Entrer le type" -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,Défaut -"Price Type","Type de prix" -"Default Quantity","Qté par défaut" -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as","Aussi bas que" -From:,"De :" -To:,"A :" -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields","* Champs requis" -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.","Il n'y a pas d'options disponibles pour ce produit" -"Gift Message","Message cadeau" -Message:,"Message :" -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Bundle/i18n/nl_NL.csv b/app/code/Magento/Bundle/i18n/nl_NL.csv deleted file mode 100644 index be3eff53ea3a9..0000000000000 --- a/app/code/Magento/Bundle/i18n/nl_NL.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,Geen -Close,sluiten -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax","Excl. belasting" -Total,Total -"Incl. Tax","Incl. belasting" -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,Vanuit -To,Aan -Required,Required -Position,Positie -"Percent Discount","Procent korting" -"-- Select --",--selecteer-- -Dynamic,Dynamisch -Fixed,Gefixeerd -"Create New Option","Create New Option" -"Bundle Items","Bundel producten" -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.","Voer a.u.b. zoekvoorwaarden in om producten te bekijken" -"Use Default Value","Gebruik standaardwaarde" -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as","Zo laag als" -"Price Range",Prijsbereik -"Please specify product option(s).","Specificeer a.u.b. product optie(s)." -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N.V.T -Percent,Procent -Qty:,Qty: -"Choose a selection...","Kies een selectie..." -"Ship Bundle Items","Verzend bundel producten" -Separately,Apart -Together,Samen -"Option Title","Option Title" -"Store View Title","Winkelweergave titel" -"Input Type",Invoertype -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,standaard -"Price Type","Prijs type" -"Default Quantity",Standaardhoeveelheid -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as","Zo laag als" -From:,Vanuit: -To:,Aan: -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields","* Vereiste velden" -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.","Geen opties van dit product zijn beschikbaar" -"Gift Message","Cadeau bericht" -Message:,Bericht: -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Bundle/i18n/pt_BR.csv b/app/code/Magento/Bundle/i18n/pt_BR.csv deleted file mode 100644 index 3a3a13ec6423d..0000000000000 --- a/app/code/Magento/Bundle/i18n/pt_BR.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,Nenhum -Close,Fechar -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax","Excluir taxas" -Total,Total -"Incl. Tax","Incluir taxas" -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,De -To,Para -Required,Required -Position,Posição -"Percent Discount","Percentual de desconto" -"-- Select --","-- Selecionar --" -Dynamic,Dinâmico -Fixed,Fixado -"Create New Option","Create New Option" -"Bundle Items","Empacotar itens" -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.","Insira as condições de pesquisa para visualizar os produtos." -"Use Default Value","Utilizar valor padrão" -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as","A partir de" -"Price Range","Variação de preço" -"Please specify product option(s).","Especifique a(s) opção(ões) do produto." -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,Indisponível -Percent,Percentagem -Qty:,Qty: -"Choose a selection...","Escolha uma seleção..." -"Ship Bundle Items","Enviar itens do pacote" -Separately,Separadamente -Together,Junto -"Option Title","Option Title" -"Store View Title","Título de visualização de loja" -"Input Type","Tipo de entrada" -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,Predefinido -"Price Type","Tipo de preço" -"Default Quantity","Quantidade padrão" -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as","A partir de" -From:,De: -To:,Para: -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields","* Campos obrigatórios" -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.","Nenhuma opção deste produto está disponível." -"Gift Message","Mensagem de presente" -Message:,Mensagem: -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Bundle/i18n/zh_Hans_CN.csv b/app/code/Magento/Bundle/i18n/zh_Hans_CN.csv deleted file mode 100644 index 390434f269948..0000000000000 --- a/app/code/Magento/Bundle/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,80 +0,0 @@ -None,无 -Close,关闭 -Cancel,Cancel -Product,Product -Price,Price -ID,ID -SKU,SKU -Qty,Qty -"Excl. Tax",不含税 -Total,Total -"Incl. Tax",含税 -"Total incl. tax","Total incl. tax" -Delete,Delete -Name,Name -From,来自 -To,发送至 -Required,Required -Position,位置 -"Percent Discount",折扣百分率 -"-- Select --","-- 选择 --" -Dynamic,动态 -Fixed,固定 -"Create New Option","Create New Option" -"Bundle Items",捆绑项 -"Add Products to Option","Add Products to Option" -"Delete Option","Delete Option" -"Please enter search conditions to view products.",请输入搜索条件以查看产品。 -"Use Default Value",使用默认值 -"There is no defined renderer for ""%1"" option type.","There is no defined renderer for ""%1"" option type." -"As Low as",低至 -"Price Range",价格范围 -"Please specify product option(s).",请指定产品选项。 -"Please select all required options.","Please select all required options." -"The required options you selected are not available.","The required options you selected are not available." -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N/A -Percent,百分之 -Qty:,Qty: -"Choose a selection...",选择一个选项... -"Ship Bundle Items",运送捆绑的项目 -Separately,分别 -Together,一起 -"Option Title","Option Title" -"Store View Title",店铺视图标题 -"Input Type",输入类型 -"There are no products in this option.","There are no products in this option." -"New Option","New Option" -Default,默认 -"Price Type",价格类型 -"Default Quantity",默认数量 -"User Defined","User Defined" -Ordered,Ordered -Invoiced,Invoiced -Shipped,Shipped -Refunded,Refunded -Canceled,Canceled -"As low as",低至 -From:,来自: -To:,至: -"Buy %1 with %2 discount each","Buy %1 with %2 discount each" -"Go back to product details","Go back to product details" -"Customize and Add to Cart","Customize and Add to Cart" -"* Required Fields",*必要字段 -"Your Customization","Your Customization" -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Summary,Summary -"%1 x %2","%1 x %2" -Availability:,Availability: -"Customize %1","Customize %1" -"No options of this product are available.",该产品没有可用选项。 -"Gift Message",礼品消息 -Message:,信息: -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Total Incl. Tax","Total Incl. Tax" -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" diff --git a/app/code/Magento/Captcha/i18n/de_DE.csv b/app/code/Magento/Captcha/i18n/de_DE.csv deleted file mode 100644 index 5cac03fd37660..0000000000000 --- a/app/code/Magento/Captcha/i18n/de_DE.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,Immer -"After number of attempts to login","Nach Anzahl von Anmeldungsversuchen" -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.","Falsches CAPTCHA." -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha","Captcha neu laden" -"Attention: Captcha is case sensitive.","Achtung: Beim Captcha Groß- und Kleinschreibung beachten." -"Please type the letters below","Bitte geben Sie die untenstehenden Buchstaben ein" -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Captcha/i18n/es_ES.csv b/app/code/Magento/Captcha/i18n/es_ES.csv deleted file mode 100644 index 9e15aafa9c949..0000000000000 --- a/app/code/Magento/Captcha/i18n/es_ES.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,Siempre -"After number of attempts to login","Tras varios intentos de iniciar sesión" -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.","CAPTCHA incorrecto." -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha","Volver a cargar captcha" -"Attention: Captcha is case sensitive.","Atención: Captcha es sensible al uso de mayúsculas y minúsculas." -"Please type the letters below","Teclee las letras más abajo" -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Captcha/i18n/fr_FR.csv b/app/code/Magento/Captcha/i18n/fr_FR.csv deleted file mode 100644 index b8772c45a8a43..0000000000000 --- a/app/code/Magento/Captcha/i18n/fr_FR.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,Toujours -"After number of attempts to login","Après un nombre de tentatives de connexion" -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.","CAPTCHA incorrect." -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha","Téléarger à nouveau Captcha" -"Attention: Captcha is case sensitive.","Attention:Captcha est sensible à la casse." -"Please type the letters below","Veuillez saisir les lettres ci-dessous" -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Captcha/i18n/nl_NL.csv b/app/code/Magento/Captcha/i18n/nl_NL.csv deleted file mode 100644 index 53fa5d204b0b0..0000000000000 --- a/app/code/Magento/Captcha/i18n/nl_NL.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,Altijd -"After number of attempts to login","Na aantal pogingen om in te loggen" -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.","Onjuiste CAPTCHA." -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha","Herlaad captcha" -"Attention: Captcha is case sensitive.","Attention: Captcha is hoofdletter gevoelig" -"Please type the letters below","Voer aub de letters hieronder in" -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Captcha/i18n/pt_BR.csv b/app/code/Magento/Captcha/i18n/pt_BR.csv deleted file mode 100644 index fe52642d1be04..0000000000000 --- a/app/code/Magento/Captcha/i18n/pt_BR.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,Sempre -"After number of attempts to login","Após de várias de tentativas de entrar" -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.","CAPTCHA incorreto." -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha","Recarregar captcha" -"Attention: Captcha is case sensitive.","Attention: Captcha diferencia maiúsculas e minúsculas." -"Please type the letters below","Por favor digite as letras abaixo" -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv b/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv deleted file mode 100644 index 2f33c6db96d8c..0000000000000 --- a/app/code/Magento/Captcha/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,27 +0,0 @@ -Always,总是 -"After number of attempts to login",登录失败的次数 -"Incorrect CAPTCHA","Incorrect CAPTCHA" -"Incorrect CAPTCHA.",验证码有误。 -"Please enter the letters from the image:","Please enter the letters from the image:" -"Reload captcha",刷新验证码 -"Attention: Captcha is case sensitive.",注意:验证码为大小写敏感的。 -"Please type the letters below",请输入下列字母 -CAPTCHA,CAPTCHA -"Enable CAPTCHA in Admin","Enable CAPTCHA in Admin" -Font,Font -Forms,Forms -"Displaying Mode","Displaying Mode" -"Number of Unsuccessful Attempts to Login","Number of Unsuccessful Attempts to Login" -"If 0 is specified, CAPTCHA on the Login form will be always available.","If 0 is specified, CAPTCHA on the Login form will be always available." -"CAPTCHA Timeout (minutes)","CAPTCHA Timeout (minutes)" -"Number of Symbols","Number of Symbols" -"Please specify 8 symbols at the most. Range allowed (e.g. 3-5)","Please specify 8 symbols at the most. Range allowed (e.g. 3-5)" -"Symbols Used in CAPTCHA","Symbols Used in CAPTCHA" -" - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - "," - Please use only letters (a-z or A-Z) or numbers (0-9) in this field. No spaces or other characters are allowed.
Similar looking characters (e.g. ""i"", ""l"", ""1"") decrease chance of correct recognition by customer. - " -"Case Sensitive","Case Sensitive" -"Enable CAPTCHA on Frontend","Enable CAPTCHA on Frontend" -"CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen.","CAPTCHA for ""Create user"" and ""Forgot password"" forms is always enabled if chosen." diff --git a/app/code/Magento/Catalog/i18n/de_DE.csv b/app/code/Magento/Catalog/i18n/de_DE.csv deleted file mode 100644 index 13f728de1c48b..0000000000000 --- a/app/code/Magento/Catalog/i18n/de_DE.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,Alle -None,Keine -"Are you sure?","Sind Sie sicher?" -Cancel,Abbrechen -Back,Zurück -Product,Produktbezeichnung -Price,Preis -Quantity,Menge -Products,Produkte -ID,ProduktId -SKU,Artikelposition -No,Nein -Qty,Qty -Action,Aktion -Reset,Zurücksetzen -Edit,Bearbeiten -"Add to Cart","Zum Warenkorb hinzufügen" -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name",Vorname -"Last Name","Letzter Name" -Email,E-Mail -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,Löschen -Save,speichern -Store,Shop -"-- Please Select --","-- Bitte auswählen --" -"Custom Design","Eigene Gestaltung" -Yes,Ja -"Web Site","Web Site" -Name,Name -Status,Status -Disabled,Deaktiviert -Enabled,Aktiviert -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -Title,Titel -"Store View",Store-Ansicht -Type,Typ -Home,Startseite -Search,Suche -"Select All","Select All" -"Add New","Neu hinzufügen" -"Please select items.","Bitte wählen Sie Artikel." -Required,Required -Website,Website -"All Websites","Alle Webseiten" -Next,Weiter -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,Katalog -Images,Images -"per page","pro Seite" -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,OK -Visibility,Sichtbarkeit -Position,Position -Fixed,Fix -"Use Default Value","Standardwert verwenden" -N/A,"Nicht zutreffend" -Percent,Percent -"Option Title","Option Title" -"Input Type",Eingabetyp -"New Option","New Option" -"Price Type",Preistyp -"* Required Fields","* Notwendige Felder" -Availability,Availability -"In stock","Auf Lager" -"Out of stock",Ausverkauft -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,Root -"Save Category","Kategorie speichern" -"Delete Category","Kategorie löschen" -"New Subcategory","Neue Unterkategorie" -"New Root Category","Neue Root Kategorie" -"Set Root Category for Store","Rootkategorie für Store festlegen" -"Use Config Settings","Konfigurations-Einstellungen verwenden" -"Use All Available Attributes","Use All Available Attributes" -"General Information","Allgemeine Information" -"Category Data",Kategoriedaten -"Category Products",Kategorieprodukte -"Add Subcategory","Unterkategorie hinzufügen" -"Add Root Category","Stammkategorie hinzufügen" -"Create Permanent Redirect for old URL","Andauernde Umleitung für alte URL erstellen" -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor","WYSIWYG Editor" -"Add Product","Produkt hinzufügen" -label,label -"Product Attributes","Produkt Attribute" -"Add New Attribute","Neues Attribut hinzufügen" -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute","Eigenschaft speichern" -"Delete Attribute","Attribute löschen" -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute","Neues Produktattribut" -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,Global -Scope,Umfang -"Declare attribute value saving scope","Definiere Attribut ""Wertsparender Spielraum""" -"Frontend Properties",Frontend-Eigenschaften -"Use in Quick Search","Bei Schnellsuche nutzen" -"Use in Advanced Search","In erweiterter Suche verwenden" -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions","Für Promo Regelbedingungen verwenden" -"Enable WYSIWYG","WYSIWYG aktivieren" -"Allow HTML Tags on Frontend","HTML-Tags am Frontend zulassen" -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing","Im Produkt-Listing verwendet" -"Depends on design theme","abhängig vom Design Thema" -"Used for Sorting in Product Listing","Für Sortierung im Produkt-Listing verwendet" -"Media Image",Bild -Gallery,Gallerie -"System Properties",Systemeinstellungen -"Data Type for Saving in Database","Datentyp für das Speichern in Datenbank" -Text,Text -Varchar,Varchar -Static,Statisch -Datetime,Datetime -Decimal,Dezimal -Integer,Integer -"Globally Editable","Global bearbeitbar" -"Attribute Information",Eigenschafteninformation -Properties,Eigenschaften -"Manage Labels","Manage Labels" -Visible,Sichtbar -Searchable,Suchbar -Comparable,Vergleichbar -"Delete Selected Group","Ausgewählte Gruppe löschen" -"Delete Attribute Set","Attributreihe löschen" -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set","Merkmale speichern" -"New Set Name","Neuer Setname" -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,Leer -"Add Attribute","Eigenschaft hinzufügen" -"Add New Group","Neue Gruppe hinzufügen" -"Add Group","Gruppe hinzufügen" -"Edit Set Name","Name bearbeiten einstellen" -"For internal use","For internal use" -"Based On","Basierend auf" -"Add New Attribute Set","Neuer Eigenschaftensatz hinzufügen" -"Add New Set","Neuen Satz hinzufügen" -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window","Fenster Schließen" -"New Product","Neues Produkt" -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,Attribute -Change,Ändern -"Advanced Inventory","Advanced Inventory" -Websites,Webseiten -"Products Information",Produktinformationen -"Category Name","Category Name" -"Parent Category",Überkategorie -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.","Es gibt keine Kunden für diesen Wanhinweis." -"Subscribe Date",Anmeldedatum -"Last Notified","Letzte Benachrichtigung" -"Send Count","Zählerstand senden" -"New Attribute","New Attribute" -"Attribute Set",Attributset -"Add New Option","Neue Option hinzufügen" -"Import Options","Import Options" -Import,Import -"Add New Row","Neue Zeile hinzufügen" -"Delete Row","Reihe löschen" -"Tier Pricing",Preisebene -"Default Price","Vorgegebener Preis" -"Add Group Price","Gruppenpreis hinzufügen" -"ALL GROUPS","ALLE GRUPPEN" -"Add Tier","Ebene hinzufügen" -"Default Values",Standardwerte -"Related Products",Zubehör -Up-sells,Up-Selling -Cross-sells,Querverkäufe -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS","Lagerbestand RSS" -"Change status","Status ändern" -"Update Attributes","Merkmale aktualisieren" -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images","Neue Bilder hinzufügen" -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term","Neuen Suchbegriff hinzufügen" -"Save Search","Suche speichern" -"Delete Search","Suche löschen" -"Edit Search '%1'","Edit Search '%1'" -"New Search","Neue Suchabfrage" -"Search Information",Suchinformationen -"Search Query",Suchanfrage -"Number of results","Anzahl der Ergebnisse" -"Number of results (For the last time placed)","Anzahl der Ergebnisse (für die letzte platzierte Zeit)" -"For the last time placed.","Letzte Bestellung aufgegeben am" -"Number of Uses","Number of Uses" -"Synonym For","Synonym für" -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL",Weiterleitungs-URL -"ex. http://domain.com","z.B. http://domain.com" -"Display in Suggested Terms","Anzeige laut vorgeschlagener Nutzungsbedingungen" -"Go to Home Page","Zur Startseite gehen" -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List","Produkt Vergleichsliste" -AM,AM -PM,Nachmittags -Categories,Kategorien -"Manage Catalog Categories","Katalogkategorien verwalten" -"Manage Categories","Kategorien verwalten" -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.","Dieses Produkt existiert nicht mehr." -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).","Wählen Sie bitte ein Produkt(e)." -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes","Produktattribute verwalten" -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.","Dieses Merkmal kann nicht bearbeitet werden." -"Edit Product Attribute","Produkteigenschaften bearbeiten" -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.","Diese Eigenschaft kann nicht gelöscht werden." -"The product attribute has been deleted.","Das Produktattribut wurde gelöscht." -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.","Gruppe mit dem gleichen Namen existiert bereits." -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets","Attributsets verwalten" -"New Set","New Set" -"Manage Product Sets","Produktsets verwalten" -"This attribute set no longer exists.","Dieses Eigenschaftenset existiert nicht mehr." -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.","Beim Speichern des Eigenschaftensatzes ist ein Fehler aufgetreten." -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.","Diese Suche existiert nicht mehr." -"Edit Search","Suche bearbeiten" -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.","Um den Produktpreis sehen zu können, müssen Sie das Produkt in Ihren Einkaufswagen legen. Sie können es später wieder löschen." -"See price before order confirmation.","Preis vor Bestellbestätigung ansehen." -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,Raster -List,Liste -"Product is not loaded","Produkt wurde nicht geladen" -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates","Keine Aktualisierungen des Layouts" -"Products only","Nur Produkte" -"Static block only","Nur statischer Block" -"Static block and products","Statischer Block und Produkte" -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,Dehnen -Tile,Kachel -Top/Left,"Oben links" -Top/Right,Oben/Rechts -Bottom/Left,Unten/Links -Bottom/Right,Unten/Rechts -Center,Mitte -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,Kategorie -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price","Preis löschen" -"The filters must be an array.","Die Filter müssen als Array vorliegen." -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config","config verwenden" -"In Cart","Im Einkaufswagen" -"Before Order Confirmation","Vor der Bestellungsbestätigung" -"On Gesture","Gestik An" -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building","Produktattribute für einen mehrstufigen Navigationsaufbau indizieren" -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.","Typenoptionen für benötigte Wertezeilen auswählen." -"Please specify date required option(s).","Bitte die benötigten Datum-Optionen angeben." -"Please specify time required option(s).","Bitte die benötigten Zeit-Optionen angeben." -"Please specify the product's required option(s).","Geben Sie bitte die obligatorischen Option(en) für das Produkt an." -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,px. -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually","Nicht individuell sichtbar" -"Catalog, Search","Katalog, Suche" -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.","Produkttyp ist für den Indexer nicht definiert." -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:","So niedrig wie:" -"Are you sure you want to delete this category?","Möchten Sie diese Kategorie wirklich löschen?" -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All","Alle einklappen" -"Expand All","Alle erweitern" -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)","Titel verwalten (Größe, Farbe, etc.)" -"Manage Options (values of your attribute)","Optionen (Werte Ihrer Attribute) verwalten" -"Is Default","Als Standard" -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,Gruppen -"Double click on a group to rename it","Doppel-Klick auf eine Gruppe um sie umzubennenen" -"Unassigned Attributes","Nicht zugewiesene Attribute" -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.","Diese Gruppe enthält System Eigenschaften. Bitte verschieben Sie System Eigenschaften in eine andere Gruppe und versuchen Sie es noch einmal." -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options",Kundenoptionen -"This is a required option.","This is a required option." -"Field is not complete","Feld ist nicht vollständig" -"Allowed file extensions to upload","Erlaubte Dateierweiterungen zum Hochladen" -"Maximum image width","Maximale Bildbreite" -"Maximum image height","Maximale Bildhöhe" -"Maximum number of characters:","Maximale Anzahl Zeichen:" -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock","Lagerbestand verwalten" -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,Lieferückstand -"Notify for Quantity Below","Bei unterer Anzahl benachrichtigen." -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability",Lagerbestand -"In Stock","Auf Lager" -"Out of Stock","Nicht vorrätig" -"Add Product To Websites","Produkt zu Webseiten hinzufügen" -"Remove Product From Websites","Produkt von Websites entfernen" -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.","Gegenstände die im Katalog oder den Suchergebnissen nicht erscheinen sollen, sollten den Status ""Deaktiviert"" im gewünschten Shop haben." -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions","Erlaubte Dateierweiterungen" -"Maximum Image Size","Maximale Bildgröße" -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters","Maximale Anzahl Zeichen" -"Customer Group",Kundengruppe -"Delete Group Price","Gruppenpreis löschen" -"Item Price","Item Price" -"and above","und oben" -"Delete Tier","Ebene löschen" -"Product In Websites","Produkt auf Webseiten" -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.","Artikel, die nicht in den Suchergebnissen oder im Katalog angezeigt werden sollen, sollten den Status 'Deaktiviert' im gewünschten Shop haben." -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:","Regulärer Preis:" -"Special Price:",Sonderpreis: -"Product Alerts",Produktmeldungen -"Can be Divided into Multiple Boxes for Shipping","Kann für den Versand in mehrere Pakete unterteilt werden" -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price","Klicken für den Preis" -"What's this?","Was ist das?" -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,jede -and,und -save,Speichern -"Actual Price","Tatsächlicher Preis" -"Shop By","Shop nach" -"Shopping Options",Einkaufsoptionen -"Compare Products","Produkte vergleichen" -"1 item","1 item" -"%1 items","%1 items" -"Print This Page","Diese Seite drucken" -"Remove Product","Remove Product" -"Add to Wishlist","Zum Wunschzettel hinzufügen" -"You have no items to compare.","Sie haben keine Gegenstände zum Vergleich." -"Are you sure you would like to remove this item from the compare products?","Sind Sie sicher, dass Sie diese Position vom Produktvergleich entfernen möchten?" -"Are you sure you would like to remove all products from your comparison?","Sind Sie sicher, dass Sie alle Produkte von Ihrem Vergleich entfernen möchten?" -"Remove This Item","Diesen Gegenstand entfernen" -Compare,Vergleichen -"Clear All","Alle löschen" -Prev,Vorschau -"There are no products matching the selection.","Es gibt keine Produkte, die dieser Auswahl entsprechen." -"Add to Compare","Hinzufügen um zu vergleichen" -"Learn More","mehr dazu" -"You may also be interested in the following product(s)","Sie könnten auch an folgenden Produkten interessiert sein" -"More Choices:","More Choices:" -"New Products","Neue Produkte" -"Check items to add to the cart or","Artikel überprüfen, um sie dem Einkaufswagen zuzufügen oder" -"select all","Alles auswählen" -"View as","Darstellung als" -"Sort By","Sortieren nach" -"Set Ascending Direction","Aufsteigende Sortierung einstellen" -"Set Descending Direction","In absteigender Reihenfolge" -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Anzeigen -"Additional Information","Zusätzliche Information" -"More Views","Mehr Ansichten" -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend","E-Mail an einen Freund" -Details,Details -Template,Vorlage -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.","Bitte Zeilen zur Option hinzufügen." -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all","Alles abwählen" -"Maximal Depth","Maximal Depth" -"Anchor Custom Text","Anchor eigener Text" -"Anchor Custom Title","Anchor eigener Titel" -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data","Produkt Flat Daten" -"Reorganize EAV product structure to flat structure","EAV Produkt-Struktur in Flat-Struktur umwandeln" -"Category Flat Data","Flache Kategoriedaten" -"Reorganize EAV category structure to flat structure","EAV Kategorie-Struktur in Flat-Struktur umwandeln" -"Indexed category/products association","Indizierte Kategorie/Produkassoziierung" -"Product Categories",Produktkategorien -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices","Index Produktpreise" -"Catalog New Products List","Neue Produktliste des Katalogs" -"List of Products that are set as New","Liste von Produkten, die als neu klassifiziert sind" -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display","Anzahl angezeigter Produkte" -"New Products Grid Template","Neue Produkt Rastervorlage" -"New Products List Template","Neue Produkt Listenvorlage" -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)","Cache-Lebensdauer (Sekunden)" -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link","Link zu den Produkten im Katalog" -"Link to a Specified Product","Link zum angegebenen Produkt" -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template","Produkt-Link Block Vorlage" -"Product Link Inline Template","Produkt-Link Inline Vorlage" -"Catalog Category Link",Katalogkategorie-Link -"Link to a Specified Category","Link zu einer bestimmten Kategorie" -"If empty, the Category Name will be used","Falls leer, wird der Kategoriename verwendet" -"Category Link Block Template","Kategorielink, Blockschablone" -"Category Link Inline Template","Kategorielink, eingebettet in Schablone" -Set,"Name einstellen" -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/Catalog/i18n/es_ES.csv b/app/code/Magento/Catalog/i18n/es_ES.csv deleted file mode 100644 index b80323c57f1d5..0000000000000 --- a/app/code/Magento/Catalog/i18n/es_ES.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,Todo -None,Nada -"Are you sure?","¿Está seguro?" -Cancel,Cancelar -Back,Volver -Product,"Nombre de Producto" -Price,Precio -Quantity,Cantidad -Products,Productos -ID,"ID de Producto" -SKU,"SKU (Número de Referencia)" -No,No -Qty,Qty -Action,Acción -Reset,Reiniciar -Edit,Editar -"Add to Cart","Añadir al Carrito" -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name",Nombre -"Last Name",Apellido -Email,"Correo electrónico" -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,Eliminar -Save,guardar -Store,Tienda -"-- Please Select --","-- Seleccionar, por favor --" -"Custom Design","Diseño Personalizado" -Yes,Sí -"Web Site","Web Site" -Name,Nombre -Status,Estado -Disabled,Deshabilitado -Enabled,Habilitado -"Save and Continue Edit","Guardar y continuar editando" -Title,Título -"Store View","Ver Tienda" -Type,Tipo -Home,Inicio -Search,Buscar -"Select All","Select All" -"Add New","Añadir Nuevo" -"Please select items.","Seleccione artículos." -Required,Required -Website,"Sitio web" -"All Websites","Todos los Sitios Web" -Next,Siguiente -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,Catálogo -Images,Images -"per page","por página" -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,Aceptar -Visibility,Visibilidad -Position,Posición -Fixed,Fijo -"Use Default Value","Usar Valor por Defecto" -N/A,N/A -Percent,Percent -"Option Title","Option Title" -"Input Type","Introducir tipo" -"New Option","New Option" -"Price Type","Tipo de precio" -"* Required Fields","* Campos Requeridos" -Availability,Availability -"In stock","En existencias" -"Out of stock","Sin existencias" -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,Raíz -"Save Category","Guardar Categoría" -"Delete Category","Borrar categoría" -"New Subcategory","Nueva Subcategoría" -"New Root Category","Nueva Categoría Raíz" -"Set Root Category for Store","Establecer categoría raíz para la tienda" -"Use Config Settings","Usar Opciones de Configuración" -"Use All Available Attributes","Use All Available Attributes" -"General Information","Información general" -"Category Data","Datos de Categoría" -"Category Products","Categoría de Productos" -"Add Subcategory","Agregar subcategoría" -"Add Root Category","Agregar categoría raíz" -"Create Permanent Redirect for old URL","Crear Redirección Permanente para la antigua URL" -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor","Editor WYSIWYG" -"Add Product","Agregar producto" -label,label -"Product Attributes","Atributos del producto" -"Add New Attribute","Añadir Nuevo Atributo" -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute","Guardar Atributo" -"Delete Attribute","Borrar Atributo" -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute","Nuevo atributo de producto" -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,Global -Scope,Alcance -"Declare attribute value saving scope","Declarar alcance de grabación de valor de atributo" -"Frontend Properties","Propiedades del Panel Delantero" -"Use in Quick Search","Utilizar en búsqueda rápida" -"Use in Advanced Search","Utilizar en búsqueda avanzada" -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions","Utilizar para condiciones de reglas de promoción" -"Enable WYSIWYG","Habilitar WYSIWYG" -"Allow HTML Tags on Frontend","Permitir etiquetas HTML en la interfaz del cliente" -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing","Se utiliza en las listas de productos" -"Depends on design theme","Depende del tema de diseño" -"Used for Sorting in Product Listing","Se utiliza para ordenar las listas de productos" -"Media Image","Imagen multimedia" -Gallery,Galería -"System Properties","Propiedades del sistema" -"Data Type for Saving in Database","Tipo de Datos a Guardar en la Base de Datos" -Text,Texto -Varchar,Varchar -Static,Estático -Datetime,Fecha -Decimal,Decimal -Integer,Entero -"Globally Editable","Editable globalmente" -"Attribute Information","Información de Atributo" -Properties,Propiedades -"Manage Labels","Manage Labels" -Visible,Visible -Searchable,"Puede buscarse" -Comparable,Comparable -"Delete Selected Group","Borrar Grupo Seleccionado" -"Delete Attribute Set","Establecer Atributo de Borrado" -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set","Grabar conjunto de atributos" -"New Set Name","Nuevo nombre de conjunto" -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,Vacío(a) -"Add Attribute","Añadir Atributo" -"Add New Group","Agregar nuevo grupo" -"Add Group","Agregar grupo" -"Edit Set Name","Editar nombre del conjunto" -"For internal use","For internal use" -"Based On","Basado en" -"Add New Attribute Set","Agregar nuevo conjunto de atributos" -"Add New Set","Agregar nuevo conjunto" -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window","Cerrar Ventana" -"New Product","Nuevo producto" -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,Atributos -Change,Cambio -"Advanced Inventory","Advanced Inventory" -Websites,"Páginas web" -"Products Information","Información de Productos" -"Category Name","Category Name" -"Parent Category","Categoría principal" -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.","No hay clientes para esta alerta." -"Subscribe Date","Fecha suscrita" -"Last Notified","Última notificación" -"Send Count","Cantidad de envíos" -"New Attribute","New Attribute" -"Attribute Set","Conjunto de atributos" -"Add New Option","Añadir Nueva Opción" -"Import Options","Import Options" -Import,Import -"Add New Row","Agregar nueva fila" -"Delete Row","Borrar Fila" -"Tier Pricing","Precio de nivel" -"Default Price","Precio por Defecto" -"Add Group Price","Añadir precio de grupo" -"ALL GROUPS","TODOS LOS GRUPOS" -"Add Tier","Agregar capa" -"Default Values","Valores por Defecto" -"Related Products","Productos Relacionados" -Up-sells,"Ventas Sugestivas" -Cross-sells,"Ventas cruzadas." -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS","RSS de notificación de bajas cantidades en inventario" -"Change status","Cambiar estado" -"Update Attributes","Actualizar atributos" -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images","Agregar nuevas imágenes" -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term","Añadir Nueva Cláusula de Búsqueda" -"Save Search","Guardar Búsqueda" -"Delete Search","Borrar Búsqueda" -"Edit Search '%1'","Edit Search '%1'" -"New Search","Nueva búsqueda" -"Search Information","Información de búsqueda" -"Search Query","Consulta de búsqueda" -"Number of results","Número de resultados" -"Number of results (For the last time placed)","Número de resultados (colocado por última vez)" -"For the last time placed.","Para la última vez que se ha colocado." -"Number of Uses","Number of Uses" -"Synonym For","Sinónimo para" -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL","Redirigir URL" -"ex. http://domain.com","por ejemplo, http:/dominio.com" -"Display in Suggested Terms","Mostrar Cláusulas Sugeridas" -"Go to Home Page","Ir a la página de inicio" -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List","Lista de Comparación de Productos" -AM,AM -PM,PM -Categories,Categorías -"Manage Catalog Categories","Gestionar categorías del catálogo" -"Manage Categories","Administrar categorías" -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.","Este producto ya no existe." -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).","Por favor, seleccione el/los producto(s)." -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes","Administrar atributos del producto" -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.","No se puede editar este atributo." -"Edit Product Attribute","Editar característica de producto" -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.","No puede eliminarse este atributo." -"The product attribute has been deleted.","Se eliminó el atributo de producto." -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.","Ya existe un grupo con el mismo nombre." -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets","Administrar conjuntos de atributos" -"New Set","New Set" -"Manage Product Sets","Administrar conjuntos de productos" -"This attribute set no longer exists.","Este conjunto de atributos ya no existe." -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.","Se produjo un error mientras se guardaba el conjunto de atributos." -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.","Esta búsqueda ya no existe." -"Edit Search","Editar búsqueda" -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.","Para ver el precio del producto añade este artículo al carrito. Siempre puedes eliminarlo posteriormente." -"See price before order confirmation.","Ver precio antes de la confirmación del pedido." -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,Parrilla -List,Lista -"Product is not loaded","El producto no se ha cargado" -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates","No hay actualizaciones de diseño" -"Products only","Sólo productos" -"Static block only","Solo bloque estático" -"Static block and products","Bloque y productos estáticos" -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,Flexibilidad -Tile,Mosaico -Top/Left,Superior/izquierda -Top/Right,Arriba/Derecha -Bottom/Left,Inferior/izquierda -Bottom/Right,Inferior/derecha -Center,Centro -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,Categoría -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price","Borrar precio" -"The filters must be an array.","Los filtros deben ser una disposición." -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config","Usar configuración" -"In Cart",Carrito -"Before Order Confirmation","Antes de la Confirmación del Pedido" -"On Gesture","Sobre el gesto" -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building","Indexar las características de producto para construir una navegación en capas" -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.","Determinados tipos de opciones requieren filas de valores." -"Please specify date required option(s).","Especifique las opciones obligatorias de la fecha." -"Please specify time required option(s).","Especifique las opciones obligatorias de la hora." -"Please specify the product's required option(s).","Por favor, especifique la(s) opción/opciones obligatoria(s) del producto." -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,px. -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually","No es visible individualmente" -"Catalog, Search","Catálogo, Búsqueda" -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.","No hay un tipo de producto definido para el motor de indexación." -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:","Valor mínimo:" -"Are you sure you want to delete this category?","¿Está seguro de que desea eliminar esta categoría?" -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All","Desplegar Todo" -"Expand All","Expandir todo" -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)","Administrar títulos (tamaño, color, etc.)" -"Manage Options (values of your attribute)","Administrar opciones (valores del atributo)" -"Is Default","Es Por Defecto" -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,Grupos -"Double click on a group to rename it","Pinchar dos veces en un grupo para renombrarlo" -"Unassigned Attributes","Atributos sin asignar" -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.","Este grupo contiene atributos del sistema. Pase los atributos del sistema a otro grupo y vuelva a intentarlo." -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options","Opciones Personalizadas" -"This is a required option.","This is a required option." -"Field is not complete","No se ha completado el campo" -"Allowed file extensions to upload","Extensiones de archivo permitidas para la carga" -"Maximum image width","Anchura máxima de la imagen" -"Maximum image height","Altura máxima de imagen" -"Maximum number of characters:","Cantidad máxima de caracteres" -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock","Gestionar Existencias" -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,"Pedidos Pendientes" -"Notify for Quantity Below","Notificar cuando la Cantidad sea Inferior a" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability","Disponibilidad de inventario" -"In Stock","En stock" -"Out of Stock",Agotado -"Add Product To Websites","Agregar producto a sitios web" -"Remove Product From Websites","Eliminar el Producto de los sitios de Internet" -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.","Los artículos que no quieres mostrar en el catálogo o en los resultados de búsqueda deberían tener el estado ""Inhabilitado"" en la tienda solicitada." -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions","Extensiones de archivo permitidas" -"Maximum Image Size","Tamaño máximo de imagen" -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters","Número máximos de caractéres" -"Customer Group","Grupo de Clientes" -"Delete Group Price","Eliminar precio de grupo" -"Item Price","Item Price" -"and above","y por encima" -"Delete Tier","Borrar escalonamiento" -"Product In Websites","Producto en Sitios Web" -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.","Los artículos que no desee ver en el catálogo o en los resultados de búsqueda deben tener el estado 'Desactivado' en la tienda correspondiente." -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:","Precio Habitual:" -"Special Price:","Precio especial:" -"Product Alerts","Alertas de producto" -"Can be Divided into Multiple Boxes for Shipping","Puede dividirse en varias cajas para el envío" -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price","Clic para precio" -"What's this?","¿Qué es esto?" -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,cada -and,y -save,guardar -"Actual Price","Precio Actual" -"Shop By","Comprar por" -"Shopping Options","Opciones de compra" -"Compare Products","Comparar Productos" -"1 item","1 item" -"%1 items","%1 items" -"Print This Page","Imprimir esta página" -"Remove Product","Remove Product" -"Add to Wishlist","Añadir a lista que quieres." -"You have no items to compare.","No tiene artículos para comparar." -"Are you sure you would like to remove this item from the compare products?","¿Está seguro de que desea eliminar este artículo de los productos de la comparación?" -"Are you sure you would like to remove all products from your comparison?","¿Está seguro de que desea eliminar todos los productos de la comparación?" -"Remove This Item","Eliminar este artículo" -Compare,Comparar -"Clear All","Limpiar Todo" -Prev,Prev -"There are no products matching the selection.","No hay ningún producto que se ajuste a su selección." -"Add to Compare","Añadir para comparar." -"Learn More","Más información" -"You may also be interested in the following product(s)","Te podría(n) interesar también el/los siguiente(s) producto(s)" -"More Choices:","More Choices:" -"New Products","Nuevos productos" -"Check items to add to the cart or","Comprueba los productos para añadir al carro o." -"select all","seleccionar todo" -"View as","Ver como" -"Sort By","Ordenar por" -"Set Ascending Direction","En sentido ascendente" -"Set Descending Direction","Establecer dirección descendente" -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Mostrar -"Additional Information","Información adicional" -"More Views","Más vistas" -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend","Escribir un Email a un amigo" -Details,Detalles -Template,Plantilla -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.","Por favor, añadir filas a la opción." -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all","Deseleccionar todo" -"Maximal Depth","Maximal Depth" -"Anchor Custom Text","Texto personalizado del delimitador" -"Anchor Custom Title","Título personalizado del delimitador" -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data","Datos Fijos de Producto" -"Reorganize EAV product structure to flat structure","Reorganizar la esctructura de producto EAV a una estructura plana" -"Category Flat Data","Datos planos de Categoría" -"Reorganize EAV category structure to flat structure","Reorganizar la esctructura de categoría EAV a una estructura plana" -"Indexed category/products association","Asociación categoría/productos indexada" -"Product Categories","Categorías de Producto" -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices","Indexar los precios de productos" -"Catalog New Products List","Lista de Nuevos Productos del Catálogo" -"List of Products that are set as New","Lista de productos marcados como nuevos" -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display","Número de productos a mostrar" -"New Products Grid Template","Plantilla de cuadrícula de nuevos productos" -"New Products List Template","Plantilla de lista de nuevos productos" -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)","Duración máxima de la memoria caché (segundos)" -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link","Enlace al Catálgo de Productos" -"Link to a Specified Product","Enlace a un producto específico" -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template","Plantilla de Bloque de Vínculo de Producto" -"Product Link Inline Template","Plantilla En Línea de Vínculo de Producto" -"Catalog Category Link","Enlace a la Categoría de Catálogo" -"Link to a Specified Category","Enlace a una categoría específica" -"If empty, the Category Name will be used","Si se deja en blanco, se usará el Nombre de Categoría" -"Category Link Block Template","Modelo del bloque de enlaces de Categorías" -"Category Link Inline Template","Modelo de enlaces en línea a Categorías" -Set,"Establecer nombre" -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/Catalog/i18n/fr_FR.csv b/app/code/Magento/Catalog/i18n/fr_FR.csv deleted file mode 100644 index 1ea1cd2d717d2..0000000000000 --- a/app/code/Magento/Catalog/i18n/fr_FR.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,Tous -None,aucun -"Are you sure?","Etes-vous sûr ?" -Cancel,Annuler -Back,Retour -Product,"Nom du produit" -Price,Prix -Quantity,Quantité -Products,Produits -ID,"ID produit" -SKU,UGS -No,Non -Qty,Qty -Action,Action -Reset,Réinitialiser -Edit,Éditer -"Add to Cart","Ajouter au panier" -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name",Prénom -"Last Name","Nom de famille" -Email,Email -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,Supprimer -Save,Sauvegarder -Store,Magasin -"-- Please Select --","-- Veuillez sélectionner --" -"Custom Design","Dessin sur mesure" -Yes,Oui -"Web Site","Web Site" -Name,Nom -Status,Statut -Disabled,Désactivé -Enabled,Activé -"Save and Continue Edit","Sauvegarder et continuer l'édition" -Title,Titre -"Store View","Vue du magasin" -Type,Type -Home,Accueil -Search,Rechercher -"Select All","Select All" -"Add New","Ajouter un nouveau" -"Please select items.","Veuillez sélectionner des articles." -Required,Required -Website,Site -"All Websites","Tous les sites web" -Next,Suivant -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,Catalogue -Images,Images -"per page","par page" -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,OK -Visibility,Visibilité -Position,Position -Fixed,Fixé -"Use Default Value","Utiliser la valeur par défaut" -N/A,N/A -Percent,Percent -"Option Title","Option Title" -"Input Type","Entrer le type" -"New Option","New Option" -"Price Type","Type de prix" -"* Required Fields","* Champs obligatoires" -Availability,Availability -"In stock","En stock" -"Out of stock",Epuisé -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,Racine -"Save Category","Sauvegarder catégorie" -"Delete Category","Supprimer catégorie" -"New Subcategory","Nouvelle sous-catégorie" -"New Root Category","Nouvelle catégorie principale" -"Set Root Category for Store","Sélectionner Catégorie d'Origine pour Boutique" -"Use Config Settings","Utiliser les Paramètres de Configuration" -"Use All Available Attributes","Use All Available Attributes" -"General Information","Informations générales" -"Category Data","Données de la Catégorie" -"Category Products","Produits de la Catégorie" -"Add Subcategory","Ajouter une sous-catégorie" -"Add Root Category","Ajouter une catégorie racine" -"Create Permanent Redirect for old URL","Créer une redirection permanente pour une vieille URL" -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor","Éditeur WYSIWYG" -"Add Product","Ajouter un produit" -label,label -"Product Attributes","Attributs Produit" -"Add New Attribute","Ajouter un nouvel attribut" -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute","Sauvegarder Attribut" -"Delete Attribute","Supprimer l'attribut" -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute","Nouvel attribut de produit" -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,Global -Scope,Portée -"Declare attribute value saving scope","Déclarer la valeur d'économies" -"Frontend Properties","Propriétés front-end" -"Use in Quick Search","Utilisation dans la recherche rapide" -"Use in Advanced Search","Utiliser en recherche avancée" -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions","Utiliser pour les conditions de la promotion" -"Enable WYSIWYG","Permettre WYSIWYG" -"Allow HTML Tags on Frontend","Autoriser les marqueurs HTML sur le frontal" -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing","Utilisé dans une Liste de Produits" -"Depends on design theme","Dépend du thème visuel" -"Used for Sorting in Product Listing","Utilisé pour Trier dans une Liste de Produits" -"Media Image","Image media" -Gallery,Galerie -"System Properties","Propriétés Système" -"Data Type for Saving in Database","Type de données pour enregistrement dans la base de données" -Text,Texte -Varchar,Varchar -Static,Statique -Datetime,"Date et heure" -Decimal,Décimal -Integer,Entier -"Globally Editable","Globalement modifiable" -"Attribute Information","Informations sur l'attribut" -Properties,Propriétés -"Manage Labels","Manage Labels" -Visible,Visible -Searchable,Consultable -Comparable,Comparable -"Delete Selected Group","Supprimer le groupe sélectionné" -"Delete Attribute Set","Supprimer l'ensemble d'attributs" -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set","Enregistrer l'ensemble d'attributs" -"New Set Name","Nouveau nom d'ensemble" -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,Vide -"Add Attribute","Ajouter un Attribut" -"Add New Group","Ajouter un nouveau groupe" -"Add Group","Ajouter un groupe" -"Edit Set Name","Modifier le nom défini" -"For internal use","For internal use" -"Based On","Basé sur" -"Add New Attribute Set","Ajouter un nouveau jeu d'attributs" -"Add New Set","Ajouter une nouvelle série" -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window","Fermer la fenêtre" -"New Product","Nouveau produit" -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,Attributs -Change,Changer -"Advanced Inventory","Advanced Inventory" -Websites,"Site web" -"Products Information","Information des produits" -"Category Name","Category Name" -"Parent Category","Catégorie parent" -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.","Il n'y a pas de client pour cette alerte." -"Subscribe Date","Date d'abonnement" -"Last Notified","Dernière notification" -"Send Count","Envoyer Compte" -"New Attribute","New Attribute" -"Attribute Set","Ensemble d'attributs" -"Add New Option","Ajouter nouvelle option" -"Import Options","Import Options" -Import,Import -"Add New Row","Ajouter nouvelle ligne" -"Delete Row","Supprimer ligne" -"Tier Pricing","Catégorie de prix" -"Default Price","Prix par défaut" -"Add Group Price","Ajouter un prix de groupe" -"ALL GROUPS","TOUS LES GROUPES" -"Add Tier","Ajouter un niveau" -"Default Values","Valeurs par défaut" -"Related Products","Produits apparentés" -Up-sells,"Ventes additionnelles" -Cross-sells,"Ventes liées" -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS","Notifier le faible stock dans le RSS" -"Change status","Changer le satut" -"Update Attributes","Mettre à jour les attributs" -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images","Ajouter de nouvelles images" -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term","Ajouter un nouveau terme de recherche" -"Save Search","Sauvegarder recherche" -"Delete Search","Supprimer recherche" -"Edit Search '%1'","Edit Search '%1'" -"New Search","Nouvelle recherche" -"Search Information","Informations de recherche" -"Search Query","Demande de recherche" -"Number of results","Nombre de résultats" -"Number of results (For the last time placed)","Nombre de résultats (pour la dernière fois)" -"For the last time placed.","Placé pour la dernière fois." -"Number of Uses","Number of Uses" -"Synonym For","Synonyme de" -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL","Rediriger l'adresse URL" -"ex. http://domain.com","ex. http://domain.com" -"Display in Suggested Terms","Afficher dans les termes suggérés." -"Go to Home Page","Aller à la page d'accueil" -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List","Liste de comparaison des produits" -AM,"Avant midi" -PM,PM -Categories,catégories -"Manage Catalog Categories","Gérer les catégories de catalogue" -"Manage Categories","Gérer les catégories" -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.","Ce produit n'existe plus." -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).","Veuillez sélectionner le(s) produit(s)." -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes","Gérer les attributs de produit" -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.","Cet attribut ne peut pas être modifié." -"Edit Product Attribute","Modifier l'attribut du produit" -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.","L'attribut ne peut pas être supprimé." -"The product attribute has been deleted.","L'attribut produit a été supprimé." -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.","Un group avec le même nom existe déjà." -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets","Gérer les jeux d'attributs" -"New Set","New Set" -"Manage Product Sets","Gérer les jeux de produits" -"This attribute set no longer exists.","La série d'attributs n'existe plus." -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.","Une erreur est survenue pendant la sauvegarde de la série d'attributs." -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.","Cette recherche n'existe plus." -"Edit Search","Modifier la recherche" -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.","Pour voir le prix du produit, ajoutez ce produit à votre panier. Vous pourrez toujours le supprimer plus tard." -"See price before order confirmation.","Voir le prix avant la confirmation de commande." -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,Grille -List,Liste -"Product is not loaded","Le produit n'est pas chargé" -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates","Aucune mise à jour de mise en page" -"Products only","Produits seulement" -"Static block only","Bloc statique uniquement" -"Static block and products","Bloc statique et produits" -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,Étirer -Tile,Carreau -Top/Left,Supérieur/Gauche -Top/Right,"Haut / Droite" -Bottom/Left,Inférieur/Gauche -Bottom/Right,"Inférieur/ Droite" -Center,Centrer -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,Catégorie -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price","Réinitialiser le prix" -"The filters must be an array.","Les filtres doivent être une matrice." -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config","Utiliser config" -"In Cart","Dans le panier" -"Before Order Confirmation","Avant la confirmation de commande" -"On Gesture","Par geste" -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building","Attributs de la navigation par couches de l'index des produits" -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.","La sélection du type d'options a requis des rangs de valeurs." -"Please specify date required option(s).","Veuillez spécifier l'(les) option(s) requise(s) pour la date." -"Please specify time required option(s).","Veuillez spécifier les options dépendant du temps." -"Please specify the product's required option(s).","Veuillez spécifier l'option/les options requise(s) du produit." -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,px. -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually","Pas visibles individuellement" -"Catalog, Search","Catalogue, Recherche" -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.","Un type de produit n'est pas défini dans l'index." -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:","Aussi bas que:" -"Are you sure you want to delete this category?","Etes-vous sur de vouloir supprimer cette catégorie ?" -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All","Afficher tout" -"Expand All","Tout développer" -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)","Gérer les titres (taille, couleur, etc)" -"Manage Options (values of your attribute)","Gérer les options (valeurs de l'attribut)" -"Is Default","Est par défaut" -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,Groupes -"Double click on a group to rename it","Double cliquez sur un groupe pour le renommer" -"Unassigned Attributes","Attributs non assignés" -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.","Le groupe contient des attributs système. Veuillez déplacer les attributs système vers un autre groupe et réessayer." -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options","Personnaliser les options" -"This is a required option.","This is a required option." -"Field is not complete","Le champ n'est pas complet" -"Allowed file extensions to upload","Extensions de fichiers autorisées pour le téléchargement montant" -"Maximum image width","Largeur maximale de l'image" -"Maximum image height","Hauteur maximale de l'image" -"Maximum number of characters:","Nombre de caractères maximum :" -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock","Gérer le stock" -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,"Ruptures de stock" -"Notify for Quantity Below","Notifier pour les quantités en dessous de" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability","Disponibilité du Stock" -"In Stock","En stock." -"Out of Stock","En rupture de stock" -"Add Product To Websites","Ajouter un produits aux sites Internet" -"Remove Product From Websites","Supprimer le produit des sites web" -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.","Les éléments que vous ne souhaitez pas afficher dans les résultats de recherche ou dans le catalogue devrait avoir le statut ""Désactivé"" dans le magasin souhaité." -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions","Extensions de fichiers autorisées" -"Maximum Image Size","Taille maximum de l'image" -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters","Caractères max." -"Customer Group","Groupe du client" -"Delete Group Price","Supprimer le prix de groupe" -"Item Price","Item Price" -"and above","et ci-dessus" -"Delete Tier","Supprimer le niveau" -"Product In Websites","Produit dans les Sites Internet" -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.","Objets que vous ne voulez pas afficher dans le catalogue ou les résultats de recherche doivent avoir le statut ""Désactivé"" dans la boutique en question." -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:","Prix normal" -"Special Price:","Prix Spécial:" -"Product Alerts","Alertes produit" -"Can be Divided into Multiple Boxes for Shipping","Peut être divisé en plusieurs boîtes pour le transport" -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price","Cliquez pour le prix" -"What's this?","Qu'est-ce ?" -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,chaque -and,et -save,enregistrer -"Actual Price",Prix -"Shop By","Acheter par" -"Shopping Options","Options d'Achat" -"Compare Products","Comparer des produits" -"1 item","1 item" -"%1 items","%1 items" -"Print This Page","Imprimer cette page" -"Remove Product","Remove Product" -"Add to Wishlist","Ajouter à la liste de cadeaux" -"You have no items to compare.","Vous n'avez pas d'articles à comparer." -"Are you sure you would like to remove this item from the compare products?","Etes-vous sur de vouloir enlever cet article des produits comparés ?" -"Are you sure you would like to remove all products from your comparison?","Etes-vous sur de vouloir enlever tous les produits de votre comparaison ?" -"Remove This Item","Retirer cet article" -Compare,Comparer -"Clear All","Tout effacer" -Prev,Préc -"There are no products matching the selection.","Aucun produit ne correspond à la sélection." -"Add to Compare","Ajouter au comparateur" -"Learn More","En savoir plus" -"You may also be interested in the following product(s)","Vous pourriez aussi être intéressé(e) par le(s) produit(s) suivant(s)" -"More Choices:","More Choices:" -"New Products","Nouveaux produits" -"Check items to add to the cart or","Cocher les articles à ajouter au panier ou" -"select all","sélectionner tous" -"View as","Visualiser comme" -"Sort By","Trier par" -"Set Ascending Direction","Par ordre croissant" -"Set Descending Direction","Définir Direction Descendante" -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Afficher -"Additional Information","Informations supplémentaires" -"More Views","Plus de vues" -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend","Envoyer à un ami par email" -Details,Détails -Template,"Modèle visuel" -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.","Veuillez ajouter des lignes à l'option." -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all","désélectionner tous" -"Maximal Depth","Maximal Depth" -"Anchor Custom Text","Fixer texte personnalisé" -"Anchor Custom Title","Fixer titre personnalisé" -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data","Données fixes du produit" -"Reorganize EAV product structure to flat structure","Réorganiser la structure du produit EAV en structure plate" -"Category Flat Data","Données Fixes de la Catégorie" -"Reorganize EAV category structure to flat structure","Réorganiser la structure de la catégorie EAV en structure plate" -"Indexed category/products association","Catégorie indexée/association de produits" -"Product Categories","Catégories Produit" -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices","Prix de l'index des produits" -"Catalog New Products List","List des Nouveaux Produits du Catalogue" -"List of Products that are set as New","Liste de produits nouveaux" -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display","Nombre de produits à afficher" -"New Products Grid Template","Modèle de grille nouveaux produits" -"New Products List Template","Modèle de liste nouveaux produits" -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)","Durée de vie du Cache (Secondes)" -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link","Lien du Produit Catalogue" -"Link to a Specified Product","Lien vers un produit déterminé" -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template","Produit Lien Modèle Bloc" -"Product Link Inline Template","Produit Lien Modèle Conforme" -"Catalog Category Link","Lien de la Catégorie Catalogue" -"Link to a Specified Category","Lien vers une catégorie précise" -"If empty, the Category Name will be used","Si vide, la catégorie Nom sera utilisé." -"Category Link Block Template","Bloc Modèle du Lien de la Catégorie" -"Category Link Inline Template","Modèle Préféré du Lien de la Catégorie" -Set,"Définir le nom" -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/Catalog/i18n/nl_NL.csv b/app/code/Magento/Catalog/i18n/nl_NL.csv deleted file mode 100644 index 5b99980e6ecae..0000000000000 --- a/app/code/Magento/Catalog/i18n/nl_NL.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,Alles -None,Geen -"Are you sure?","Weet u het zeker?" -Cancel,Annuleren -Back,Terug -Product,Productnaam -Price,Prijs -Quantity,Hoeveelheid -Products,Producten -ID,"Product Identificatie" -SKU,SKU -No,Nee -Qty,Qty -Action,Actie -Reset,Opnieuw -Edit,Bewerken -"Add to Cart","Aan mandje toevoegen" -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name",Voornaam -"Last Name",Achternaam -Email,Email -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,Verwijderen -Save,Opslaan -Store,Winkel -"-- Please Select --","-- Selecteer alstublieft --" -"Custom Design",Custom-design -Yes,Ja -"Web Site","Web Site" -Name,Naam -Status,Status -Disabled,Uitgeschakeld -Enabled,Aan -"Save and Continue Edit","Opslaan en doorgaan met bewerken" -Title,Titel -"Store View","Aanblik winkel" -Type,Type -Home,Thuis -Search,Zoeken -"Select All","Select All" -"Add New","Nieuwe Toevoegen" -"Please select items.","Selecteer artikelen." -Required,Required -Website,Website -"All Websites","Alle Websites" -Next,Volgende -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,Catalogus -Images,Images -"per page","per pagina" -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,OK -Visibility,Zichtbaarheid -Position,Positie -Fixed,Gemaakt -"Use Default Value","Standaardwaarde gebruiken" -N/A,Nvt -Percent,Percent -"Option Title","Option Title" -"Input Type","Invoer Type" -"New Option","New Option" -"Price Type",Prijstype -"* Required Fields","* Vereiste velden" -Availability,Availability -"In stock","In voorraad" -"Out of stock","Uit voorraad" -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,Root -"Save Category","Categorie opslaan" -"Delete Category","Verwijder Categorie" -"New Subcategory","Nieuwe subcategorie" -"New Root Category","Nieuwe categorie" -"Set Root Category for Store","Stel Basiscategorie voor Winkel in" -"Use Config Settings","Gebruik Configuratiesettings" -"Use All Available Attributes","Use All Available Attributes" -"General Information","Algemene informatie" -"Category Data","Categorie Data" -"Category Products","Categorie Producten" -"Add Subcategory","Voeg Subcategorie Toe" -"Add Root Category","Voeg Root Categorie Toe" -"Create Permanent Redirect for old URL","Creëer Permanente Omleiding voor oude URL" -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor","WYSIWYG Editor" -"Add Product","Voeg Product Toe" -label,label -"Product Attributes",Productattributen -"Add New Attribute","Nieuwe attribuut toevoegen" -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute","Attribuut opslaan" -"Delete Attribute","Verwijder Attribuut" -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute","Nieuw Productkenmerk" -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,Wereldwijd -Scope,Reikwijdte -"Declare attribute value saving scope","Verklaar attribuut waarde opslagscope" -"Frontend Properties","Front end Eigenschappen" -"Use in Quick Search","Gebruik in Quick Search" -"Use in Advanced Search","Gebruik in Geavanceerd Zoeken" -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions","Gebruik voor Promotie Regels Voorwaarden" -"Enable WYSIWYG","Sta WYSIWYG toe" -"Allow HTML Tags on Frontend","Sta HTML Tags op Front-end toe" -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing","Gebruik in Product Listing" -"Depends on design theme","Hangt van ontwerpthema af" -"Used for Sorting in Product Listing","Gebruikt voor Sortering in Product Listing" -"Media Image","Media Beeld" -Gallery,Galerij -"System Properties",Systeemeigenschappen -"Data Type for Saving in Database","Data type om in Database op te slaan" -Text,Tekst -Varchar,Varlet -Static,Statisch -Datetime,Datumtijd -Decimal,Decimaal -Integer,"Heel getal" -"Globally Editable","Wereldwijd te bewerken" -"Attribute Information","Kenmerk Informatie" -Properties,Eigenschappen -"Manage Labels","Manage Labels" -Visible,Zichtbaar -Searchable,Zoekbaar -Comparable,Vergelijkbaar -"Delete Selected Group","Verwijder Geselecteerde Groep" -"Delete Attribute Set","Verwijder Attribuut Set" -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set","Sla Attributen Set Op" -"New Set Name","Nieuwe Serie Naam" -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,Leeg -"Add Attribute","Voeg Attribuut toe" -"Add New Group","Voeg Nieuwe Groep toe" -"Add Group","Voeg Groep toe" -"Edit Set Name","Bewerk Set Naam" -"For internal use","For internal use" -"Based On","Gebaseerd op" -"Add New Attribute Set","Voeg Nieuwe Attribuut Set toe" -"Add New Set","Voeg Nieuwe Reeks Toe" -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window","Venster Sluiten" -"New Product","Nieuw Product" -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,Attributen -Change,Verander -"Advanced Inventory","Advanced Inventory" -Websites,Websites -"Products Information",Producteninformatie -"Category Name","Category Name" -"Parent Category","Parent Categorie" -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.","Er zijn geen klanten voor deze melding." -"Subscribe Date","Datum Ingeschreven" -"Last Notified","Laatste Notificatie" -"Send Count","Aantal Versturen" -"New Attribute","New Attribute" -"Attribute Set",Attributenset -"Add New Option","Voeg Nieuwe Optie Toe" -"Import Options","Import Options" -Import,Import -"Add New Row","Voeg Nieuwe Rij Toe" -"Delete Row","Verwijder Rij" -"Tier Pricing","Niveau Prijsstelling" -"Default Price","Vaststaande Prijs" -"Add Group Price","Groepsprijs toevoegen" -"ALL GROUPS","ALLE GROEPEN" -"Add Tier","Voeg Rang Toe" -"Default Values",Standaardwaardes -"Related Products","Gerelateerde Producten" -Up-sells,Up-sells -Cross-sells,Cross-sells -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS","Geef Lage Voorraad RSS aan" -"Change status","Verander status" -"Update Attributes","Update Attributen" -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images","Voeg Nieuwe Plaatjes toe" -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term","Voeg Nieuwe Zoekterm Toe" -"Save Search","Sla Zoekactie Op" -"Delete Search","Verwijder Zoekopdracht" -"Edit Search '%1'","Edit Search '%1'" -"New Search","Nieuwe Zoekopdracht" -"Search Information",Zoekinformatie -"Search Query","Zoek Query" -"Number of results","Aantal resultaten" -"Number of results (For the last time placed)","Aantal resultaten (Voor de laatste keer geplaatst)" -"For the last time placed.","Het laatst geplaatst" -"Number of Uses","Number of Uses" -"Synonym For","Synoniem voor" -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL","Omleiding URL" -"ex. http://domain.com","bijv. http://domein.nl" -"Display in Suggested Terms","Toon in Voorgestelde Voorwaarden" -"Go to Home Page","Ga naar Homepage" -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List",Productvergelijkingslijst -AM,AM -PM,PM -Categories,Categoriën -"Manage Catalog Categories","Manage Catalogus Categorieën" -"Manage Categories","Beheer Categorieën" -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.","Dit product bestaat niet meer." -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).","Selecteer alstublieft product(en)." -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes","Beheer Productkenmerken" -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.","Dit attribuut kan niet gewijzigd worden." -"Edit Product Attribute","Bewerken productattribuut" -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.","Dit attribuut kan niet verwijderd worden." -"The product attribute has been deleted.","Het productattribuut is verwijderd." -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.","Een groep met dezelfde naam bestaat reeds." -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets","Beheer Attribuut Sets" -"New Set","New Set" -"Manage Product Sets","Beheer Productgroepen" -"This attribute set no longer exists.","Deze attribuutset bestaat niet meer." -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.","Er is een fout opgetreden tijdens het opslaan van de attribuut set." -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.","Deze zoekactie bestaat niet langer." -"Edit Search","Bewerk Zoekopdracht" -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.","Om de product prijs te zien, voeg dit artikel toe aan uw winkelwagen. U kunt het later altijd nog verwijderen." -"See price before order confirmation.","Zie prijs voor bevestiging van bestelling." -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,Rooster -List,Lijst -"Product is not loaded","Produkt is niet geladen" -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates","Geen lay-out updates" -"Products only","Producten alleen" -"Static block only","Alleen statisch blok" -"Static block and products","Statisch blok en producten" -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,Periode -Tile,Tegel -Top/Left,Boven/Links -Top/Right,Top/Rechts -Bottom/Left,Onderaan/Links -Bottom/Right,Onderaan/Rechts -Center,Centrum -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,Categorie -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price","Verwijder Prijs" -"The filters must be an array.","De filters moeten een array zijn." -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config","Gebruik config" -"In Cart","In Winkelwagen" -"Before Order Confirmation","Voor Bestelling Bevestiging" -"On Gesture","Op Gebaar" -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building","Index product attributen voor layered navigatie building" -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.","Selecteer optietype verplichte rijwaarden." -"Please specify date required option(s).","Specificeer alstublieft de benodige optie(s) voor de datum." -"Please specify time required option(s).","Specificeer alstublieft de benodigde optie(s) voor de tijd." -"Please specify the product's required option(s).","Gelieve het artikel's benodigde optie(s) te specificeren." -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,px. -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually","Niet afzonderlijk zichtbaar" -"Catalog, Search","Catalogus, Zoeken" -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.","Een product type is niet gedefinieerd voor de indexer." -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:","Zo laag als:" -"Are you sure you want to delete this category?","Weet u zeker dat u deze categorie wilt verwijderen?" -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All","Vouw Alles Op" -"Expand All","Klap Alles Uit" -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)","Beheer Titels (Grootte, Kleur, etc.)" -"Manage Options (values of your attribute)","Beheer Opties (waarden van uw attribuut)" -"Is Default","Is Standaard" -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,Groepen -"Double click on a group to rename it","Dubbelklik op een groep om van naam te veranderen" -"Unassigned Attributes","Niet Toegewezen Attributen" -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.","Deze groep bevat systeemattributen. Verplaats de systeemattributen naar een andere groep en probeer het opnieuw." -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options","Custom Opties" -"This is a required option.","This is a required option." -"Field is not complete","Veld is incompleet" -"Allowed file extensions to upload","Toegestane bestandsextensies om te uploaden" -"Maximum image width","Maximale beeldbreedte" -"Maximum image height","Maximale beeldhoogte" -"Maximum number of characters:","Maximaal aantal karakters" -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock","Beheer Voorraad" -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,Backorders -"Notify for Quantity Below","Geef Kwantiteit Beneden aan" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability","Voorraad beschikbaarheid" -"In Stock","In voorraad" -"Out of Stock","Niet voorradig" -"Add Product To Websites","Voeg Product Toe Aan Websites" -"Remove Product From Websites","Verwijder product van websites" -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.","Items waarvan u niet wilt dat ze te zien zijn in de catalogus of zoekresultaten, dienen de status 'Uitgeschakeld' te hebben in de gewenste winkel." -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions","Toegestane Bestandsextensies" -"Maximum Image Size","Maximum Grootte Afbeelding" -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters","Max Karakters" -"Customer Group",Klantgroep -"Delete Group Price","Verwijder Groepsprijs" -"Item Price","Item Price" -"and above","en hoger" -"Delete Tier","Verwijder Rij" -"Product In Websites","Product in websites" -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.","Items waarvan u niet wilt dat ze te zien zijn in de catalogus of zoekresultaten, dienen de status 'Uitgeschakeld' te hebben in de gewenste winkel." -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:","Normale prijs:" -"Special Price:","Speciale prijs:" -"Product Alerts","Product Waarschuwingen" -"Can be Divided into Multiple Boxes for Shipping","Kan Worden Verdeeld over Meerdere Dozen bij Verzending" -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price","Klik voor de prijs" -"What's this?","Wat is dit?" -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,ieder -and,en -save,bewaar -"Actual Price","Werkelijke Prijs" -"Shop By","Shoppen op" -"Shopping Options","Winkel Opties" -"Compare Products","Vergelijk Producten" -"1 item","1 item" -"%1 items","%1 items" -"Print This Page","Deze pagina afdrukken" -"Remove Product","Remove Product" -"Add to Wishlist","Aan verlanglijst toevoegen" -"You have no items to compare.","U heeft geen artikelen om te vergelijken." -"Are you sure you would like to remove this item from the compare products?","Weet u zeker dat u dit item van uw vergeleken producten wilt verwijderen?" -"Are you sure you would like to remove all products from your comparison?","Weet u zeker dat u alle producten van uw vergelijking wilt verwijderen?" -"Remove This Item","Verwijder Dit Item" -Compare,Vergelijk -"Clear All","Verwijder Alles" -Prev,Vorige -"There are no products matching the selection.","Er zijn geen producten die overeenkomen met de selectie." -"Add to Compare","Voeg toe om te Vergelijken" -"Learn More","Meer Informatie" -"You may also be interested in the following product(s)","U heeft wellicht ook interesse in de volgende product(en):" -"More Choices:","More Choices:" -"New Products","Nieuwe Producten" -"Check items to add to the cart or","Controleer items om aan het winkelwagentje toe te voegen of" -"select all","alle selecteren" -"View as","Bekijk als" -"Sort By","Sorteren op" -"Set Ascending Direction","Stel een Oplopende Directie in" -"Set Descending Direction","Stel een Aflopende Directie in" -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Toon -"Additional Information","Aanvullende Informatie" -"More Views","Meer Views" -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend","E-mail Vriend" -Details,Details -Template,Sjabloon -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.","Voeg rijen toe aan optie." -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all","Onselecteer alles" -"Maximal Depth","Maximal Depth" -"Anchor Custom Text","Anker Custom Tekst" -"Anchor Custom Title","Anker Custom Titel" -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data","Product Platte Gegevens" -"Reorganize EAV product structure to flat structure","Organiseer EAV product structuur naar een platte structuur" -"Category Flat Data","Categorie Flat Data" -"Reorganize EAV category structure to flat structure","Reorganiseer EAV categoriestructuur naar platte structuur" -"Indexed category/products association","Geïndexeerde categorie/producten verbinding" -"Product Categories","Product Categorieën" -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices","Index product prijzen" -"Catalog New Products List","Catalogus Nieuwe Producten Lijst" -"List of Products that are set as New","Lijst van Producten die zijn ingesteld als Nieuw" -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display","Aantal Producten Weer te Geven" -"New Products Grid Template","Patroon Nieuwe Producten Rooster" -"New Products List Template","Nieuw Product Lijst Sjabloon" -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)","Cache levensduur (Seconden)" -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link","Catalogus Product Link" -"Link to a Specified Product","Link naar een Gespecificeerd Product" -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template","Productlink blok sjabloon" -"Product Link Inline Template","Productlink inline sjabloon" -"Catalog Category Link","Catalogus categorie link" -"Link to a Specified Category","Link naar een Gespecificeerde Categorie" -"If empty, the Category Name will be used","Als u het leeg laat, zal de Categorie Naam gebruikt worden" -"Category Link Block Template","Categorie Link Bloktemplate" -"Category Link Inline Template","Categorie Link Inline Template" -Set,"Stel Naam in" -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/Catalog/i18n/pt_BR.csv b/app/code/Magento/Catalog/i18n/pt_BR.csv deleted file mode 100644 index f539953fb7554..0000000000000 --- a/app/code/Magento/Catalog/i18n/pt_BR.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,Todos -None,Nenhum -"Are you sure?","Tem certeza?" -Cancel,Cancelar -Back,Voltar -Product,"Nome do produto" -Price,Preço -Quantity,Quantidade -Products,Produtos -ID,"ID do Produto" -SKU,"Unidade de Manutenção de Estoque" -No,Não -Qty,Qty -Action,Ação -Reset,Redefinir -Edit,Editar -"Add to Cart","Adicionar ao carrinho" -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name","Primeiro nome" -"Last Name","Último nome" -Email,E-mail -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,Excluir -Save,Salvar -Store,Loja -"-- Please Select --","- Por Favor Selecione -" -"Custom Design","Personalizar Design" -Yes,Sim -"Web Site","Web Site" -Name,Nome -Status,Status -Disabled,Desativado -Enabled,Ativado -"Save and Continue Edit","Salvar e continuar a editar" -Title,Título -"Store View","Visualização da loja" -Type,Tipo -Home,Início -Search,Pesquisa -"Select All","Select All" -"Add New","Adicione Novo" -"Please select items.","Favor selecionar itens." -Required,Required -Website,Website -"All Websites","Todos os sites" -Next,Próximo -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,Catálogo -Images,Images -"per page","por página" -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,OK -Visibility,Visibilidade -Position,Posição -Fixed,Fixado -"Use Default Value","Utilizar valor padrão" -N/A,Indisponível -Percent,Percent -"Option Title","Option Title" -"Input Type","Tipo de entrada" -"New Option","New Option" -"Price Type","Tipo de preço" -"* Required Fields","* Campos obrigatórios" -Availability,Availability -"In stock","Em estoque" -"Out of stock","Fora de estoque" -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,Raiz -"Save Category","Salvar Categoria" -"Delete Category","Excluir categoria" -"New Subcategory","Nova Subcategoria" -"New Root Category","Nova Categoria de Raiz" -"Set Root Category for Store","Definir Categoria Raíz para Loja" -"Use Config Settings","Utilizar opções de configuração" -"Use All Available Attributes","Use All Available Attributes" -"General Information","Informações gerais" -"Category Data","Dados da Categoria" -"Category Products","Categoria de Produtos" -"Add Subcategory","Adicionar Subcategoria" -"Add Root Category","Adicionar Categoria Raiz" -"Create Permanent Redirect for old URL","Criar Redirecionamento Permanente para antiga URL" -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor","Editor WYSIWYG" -"Add Product","Adicionar Produto" -label,label -"Product Attributes","Atributos do produto" -"Add New Attribute","Adicionar Novo Atributo" -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute","Salvar atributo" -"Delete Attribute","Apagar atributo" -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute","Novo Atributo de Produto" -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,Global -Scope,Limite -"Declare attribute value saving scope","Declarar escopo de economia do valor do atributo" -"Frontend Properties","Propriedades de interface inicial" -"Use in Quick Search","Use em Busca Rápida" -"Use in Advanced Search","Use em Busca Avançada" -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions","Use para as Condições de Regras de Promoção" -"Enable WYSIWYG","Habilitar WYSIWYG" -"Allow HTML Tags on Frontend","Permitir Tags HTML no Frontend" -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing","Usado na Lista de Produtos" -"Depends on design theme","Depende do tema do projeto (design)" -"Used for Sorting in Product Listing","Usado ​​para Classificar na Lista de Produtos" -"Media Image","Imagem de mídia" -Gallery,Galeria -"System Properties","Propriedades do Sistema" -"Data Type for Saving in Database","Tipo de dado para salvar na base de dados" -Text,Texto -Varchar,Varchar -Static,Estático -Datetime,"Data e hora" -Decimal,Decimal -Integer,"Número Inteiro" -"Globally Editable","Globalmente Editável" -"Attribute Information","Informação do Atributo" -Properties,Propriedades -"Manage Labels","Manage Labels" -Visible,Visível -Searchable,"Passível de Busca" -Comparable,Comparável -"Delete Selected Group","Excluir grupo selecionado" -"Delete Attribute Set","Excluir conjunto de atributos" -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set","Salvar Conjunto de Atributos" -"New Set Name","Nome do Conjunto Novo" -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,Vazio -"Add Attribute","Adicione Atributo" -"Add New Group","Adicionar Novo Grupo" -"Add Group","Adicionar Grupo" -"Edit Set Name","Editar Nome de Conjunto" -"For internal use","For internal use" -"Based On","Baseado Em" -"Add New Attribute Set","Adicionar Novo Conjunto de Atributos" -"Add New Set","Adicionar Novo Conjunto" -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window","Fechar Janela" -"New Product","Novo Produto" -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,Atributos -Change,Mudar -"Advanced Inventory","Advanced Inventory" -Websites,Sites -"Products Information","Informações de Produtos" -"Category Name","Category Name" -"Parent Category","Categoria Pai" -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.","Não há clientes para este alerta." -"Subscribe Date","Data de inscrição" -"Last Notified","Última Notificação" -"Send Count","Enviar Contagem" -"New Attribute","New Attribute" -"Attribute Set","Conjunto de Atributos" -"Add New Option","Adicione Nova Opção" -"Import Options","Import Options" -Import,Import -"Add New Row","Adicionar Nova Linha" -"Delete Row","Excluir linha" -"Tier Pricing","Preços por Nível" -"Default Price","Preço padrão" -"Add Group Price","Adicionar preço de grupo" -"ALL GROUPS","TODOS OS GRUPOS" -"Add Tier","Adicionar Camada" -"Default Values","Valores padrão" -"Related Products","Produtos Relacionados" -Up-sells,"Vendas Extras" -Cross-sells,"Vendas Cruzadas" -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS","Notificar RSS de Estoque Baixo" -"Change status","Alterar status" -"Update Attributes","Atualização de Atributos" -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images","Adicionar Novas Imagens" -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term","Adicionar Novo Termo de Busca" -"Save Search","Salvar Busca" -"Delete Search","Excluir pesquisa" -"Edit Search '%1'","Edit Search '%1'" -"New Search","Nova Busca" -"Search Information","Buscar Informações" -"Search Query","Palavras-Chave da Busca" -"Number of results","Número de resultados" -"Number of results (For the last time placed)","Número de resultados (Colocados pela última vez)" -"For the last time placed.","Colocado pela última vez." -"Number of Uses","Number of Uses" -"Synonym For","Sinónimo Para" -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL","Redirecionar URL" -"ex. http://domain.com","ex. http://domínio.com" -"Display in Suggested Terms","Exibir em Termos Sugeridos" -"Go to Home Page","Ir para Página Inicial" -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List","Lista de Comparação de Produtos" -AM,AM -PM,PM -Categories,Categorias -"Manage Catalog Categories","Gerenciar Categorias de Catálogo" -"Manage Categories","Gerenciar Categorias" -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.","Este produto não existe mais." -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).","Por favor selecione produto(s)." -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes","Gerenciar Atributos do Produto" -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.","Este atributo não pode ser editado." -"Edit Product Attribute","Editar Atributo do Produto" -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.","Este atributo não pode ser apagado." -"The product attribute has been deleted.","O atributo do produto foi eliminado." -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.","Um grupo com o mesmo nome já existe." -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets","Gerenciar Conjuntos de Atributos" -"New Set","New Set" -"Manage Product Sets","Gerenciar Conjuntos de Produtos" -"This attribute set no longer exists.","Este conjunto de atributos não existe mais." -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.","Ocorreu um erro ao salvar o conjunto de atributos." -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.","Esta pesquisa não existe mais." -"Edit Search","Editar Pesquisa" -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.","Para ver o preço do produto, adicione este item ao seu carrinho. Você pode sempre removê-lo mais tarde." -"See price before order confirmation.","Ver preço antes de confirmar pedido." -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,Grade -List,Lista -"Product is not loaded","O produto não está carregado" -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates","Nenhuma atualização de disposição (layout)" -"Products only","Somente produtos" -"Static block only","Só bloco estático" -"Static block and products","Bloco estático e produtos" -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,Extensão -Tile,Empilhar -Top/Left,Topo/Esquerdo -Top/Right,Topo/Direita -Bottom/Left,Fundo/Esquerdo -Bottom/Right,Fundo/Direito -Center,Centro -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,Categoria -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price","Limpar preço" -"The filters must be an array.","Os filtros devem estar por ordem." -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config","Use config" -"In Cart","No Carrinho" -"Before Order Confirmation","Antes de Confirmação de Ordem" -"On Gesture","Sobre Gesticulação" -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building","Índice de atributos de produtos para construção em camadas de navegação" -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.","Selecione as linhas de valores exigidas para opções de tipo." -"Please specify date required option(s).","Favor especificar opção(ões) obrigatória(s) para data." -"Please specify time required option(s).","Favor especificar opção(ões) obrigatória(s) para hora." -"Please specify the product's required option(s).","Por favor especifique a(s) opção/opções necessária(s) do produto." -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,px. -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually","Não Visível Individualmente" -"Catalog, Search","Catálogo, Busca" -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.","Um tipo de produto não está definido para o indexador." -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:","A partir de:" -"Are you sure you want to delete this category?","Tem certeza de que quer apagar esta categoria?" -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All","Fechar Tudo" -"Expand All","Expandir Todos" -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)","Gerenciar Títulos (Tamanho, Cor etc.)" -"Manage Options (values of your attribute)","Gerenciar Opções (valores de seu atributo)" -"Is Default","É padrão" -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,Grupos -"Double click on a group to rename it","Dê um duplo clique em um grupo para renomeá-lo" -"Unassigned Attributes","Atributos Não Atribuídos" -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.","Este grupo contém atributos do sistema. Por favor mova atributos do sistema para outro grupo e tente novamente." -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options","Personalizar Opções" -"This is a required option.","This is a required option." -"Field is not complete","O campo está incompleto." -"Allowed file extensions to upload","Extensões de arquivo permitidas para upload" -"Maximum image width","Largura máxima da imagem" -"Maximum image height","Altura máxima da imagem" -"Maximum number of characters:","Número máximo de caracteres:" -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock","Gerenciar Estoque" -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,"Ordens em Atraso" -"Notify for Quantity Below","Notificar em Caso de Quantidade Abaixo" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability","Disponibilidade de Estoque" -"In Stock","No Estoque" -"Out of Stock",Esgotado -"Add Product To Websites","Adicionar Produto a Websites" -"Remove Product From Websites","Remover Produto dos Websites" -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.","Itens que você não quer mostrar no catálogo ou resultados da pesquisa devem ter status de ""Inválido"" na loja desejada." -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions","Extensões de Arquivo Permitidas" -"Maximum Image Size","Tamanho Máximo de Imagem" -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters","Máx. de Caracteres" -"Customer Group","Grupo de Clientes" -"Delete Group Price","Excluir preço de grupo" -"Item Price","Item Price" -"and above","e acima" -"Delete Tier","Excluir camada" -"Product In Websites","Produto Em Websites" -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.","Itens que você não quer mostrar no catálogo ou resultados da pesquisa devem ter status de ""Inválido"" na loja desejada." -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:","Preço Normal:" -"Special Price:","Preço Especial:" -"Product Alerts","Alertas de Produto" -"Can be Divided into Multiple Boxes for Shipping","Pode ser dividido em várias caixas para envio" -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price","Clique para o preço" -"What's this?","O que é isso?" -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,cada -and,e -save,salvar -"Actual Price","Preço Real" -"Shop By","Comprar Por" -"Shopping Options","Opções de Compra" -"Compare Products","Comparar Produtos" -"1 item","1 item" -"%1 items","%1 items" -"Print This Page","Imprimir Esta Página" -"Remove Product","Remove Product" -"Add to Wishlist","Adicionar à Lista de Desejos" -"You have no items to compare.","Você não tem itens para comparar." -"Are you sure you would like to remove this item from the compare products?","Tem certeza de que deseja remover este item dos produtos comparados?" -"Are you sure you would like to remove all products from your comparison?","Tem certeza de que gostaria de remover todos os produtos de sua comparação?" -"Remove This Item","Remover Este Item" -Compare,Comparar -"Clear All","Limpar Todos" -Prev,Prev -"There are no products matching the selection.","Não há produtos que correspondam à seleção." -"Add to Compare","Adicionar para Comparar" -"Learn More","Saiba Mais" -"You may also be interested in the following product(s)","Você também pode se interessar no(s) seguinte(s) produto(s)" -"More Choices:","More Choices:" -"New Products","Novos Produtos" -"Check items to add to the cart or","Verificar itens a ser adicionados ao carrinho ou" -"select all","marcar todos" -"View as","Ver como" -"Sort By","Classificar Por" -"Set Ascending Direction","Ajustar Direção como Crescente" -"Set Descending Direction","Ajustar Direção como Decrescente" -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Mostrar -"Additional Information","Informações Adicionais" -"More Views","Mais Visualizações" -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend","Enviar por e-mail a um amigo" -Details,Detalhes -Template,Modelo -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.","Por favor adicione linhas à opção." -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all","desmarcar todos" -"Maximal Depth","Maximal Depth" -"Anchor Custom Text","Texto âncora personalizado" -"Anchor Custom Title","Título âncora personalizado" -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data","Dados Base de Produto" -"Reorganize EAV product structure to flat structure","Reorganizar estrutura EAV de produto como estrutura simplificada" -"Category Flat Data","Dados da Categoria Base" -"Reorganize EAV category structure to flat structure","Reorganizar estrutura de categorias EAV como estrutura simplificada" -"Indexed category/products association","Associação de categoria/produtos indexados" -"Product Categories","Categoria de Produtos" -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices","Preços de produtos de índice" -"Catalog New Products List","Lista de Novos Produtos de Catálogo" -"List of Products that are set as New","Lista de Produtos definidos como Novos" -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display","Número de Produtos a Ser Exibidos" -"New Products Grid Template","Modelo de Nova Rede de Produtos" -"New Products List Template","Modelo para Lista de Novos Produtos" -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)","Tempo de Vida de Cache (Segundos)" -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link","Link do Produto de Catálogo" -"Link to a Specified Product","Link para um Produto Especificado" -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template","Modelo para Link de Produto: Bloco Autônomo" -"Product Link Inline Template","Modelo para Link de Produto: Fluxo sem Quebra" -"Catalog Category Link","Link da Categoria de Catálogo" -"Link to a Specified Category","Link para uma Categoria Especificada" -"If empty, the Category Name will be used","Se deixado em branco, será usado o Nome da Categoria." -"Category Link Block Template","Modelo de Categoria de Blocos de Ligação" -"Category Link Inline Template","Modelo de Categoria de Ligação Em Linha" -Set,"Ajustar Nome" -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv b/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv deleted file mode 100644 index 5180add5db942..0000000000000 --- a/app/code/Magento/Catalog/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,635 +0,0 @@ -All,全部 -None,无 -"Are you sure?",您是否确认? -Cancel,取消 -Back,返回 -Product,产品名 -Price,价格 -Quantity,数量 -Products,产品 -ID,"产品 ID" -SKU,SKU -No,否 -Qty,Qty -Action,操作 -Reset,重置状态 -Edit,编辑 -"Add to Cart",添加到购物车 -"Images (.gif, .jpg, .png)","Images (.gif, .jpg, .png)" -"First Name",名字 -"Last Name",姓氏 -Email,电子邮件 -[GLOBAL],[GLOBAL] -[WEBSITE],[WEBSITE] -"[STORE VIEW]","[STORE VIEW]" -"Use Default","Use Default" -Delete,删除 -Save,保存 -Store,商店 -"-- Please Select --","-- 请选择 --" -"Custom Design",自定义设计 -Yes,是 -"Web Site","Web Site" -Name,姓名 -Status,状态 -Disabled,已禁用 -Enabled,已启用 -"Save and Continue Edit",保存并继续编辑 -Title,标题 -"Store View",店铺视图 -Type,类型 -Home,主页 -Search,搜索 -"Select All","Select All" -"Add New",添加新内容 -"Please select items.",请选择项目。 -Required,Required -Website,网站 -"All Websites",所有网站 -Next,下一个 -"Please enter a valid number in this field.","Please enter a valid number in this field." -Catalog,分类 -Images,Images -"per page",每页 -"Mass Actions","Mass Actions" -"Unselect All","Unselect All" -"Select Visible","Select Visible" -"Unselect Visible","Unselect Visible" -"items selected","items selected" -"The information in this tab has been changed.","The information in this tab has been changed." -"This tab contains invalid data. Please solve the problem before saving.","This tab contains invalid data. Please solve the problem before saving." -Loading...,Loading... -OK,确定 -Visibility,可见性 -Position,位置 -Fixed,固定 -"Use Default Value",使用默认值 -N/A,N/A -Percent,Percent -"Option Title","Option Title" -"Input Type",输入类型 -"New Option","New Option" -"Price Type",价格类型 -"* Required Fields",*必要字段 -Availability,Availability -"In stock",现货 -"Out of stock",缺货 -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -Root,根 -"Save Category",保存分类 -"Delete Category",删除分类 -"New Subcategory",新建子类别 -"New Root Category",新建根类别 -"Set Root Category for Store",为店铺选择根分类 -"Use Config Settings",使用配置设置 -"Use All Available Attributes","Use All Available Attributes" -"General Information",常规信息 -"Category Data",分类数据 -"Category Products",分类产品 -"Add Subcategory",添加子分类 -"Add Root Category",添加根分类 -"Create Permanent Redirect for old URL",为老URL创建永久重定向 -Day,Day -Month,Month -Year,Year -"","" -"","" -"WYSIWYG Editor",所见即所得编辑器 -"Add Product",添加产品 -label,label -"Product Attributes",产品属性 -"Add New Attribute",添加新属性 -"Save in New Attribute Set","Save in New Attribute Set" -"Enter Name for New Attribute Set","Enter Name for New Attribute Set" -"Save Attribute",保存属性 -"Delete Attribute",删除属性 -"Edit Product Attribute ""%1""","Edit Product Attribute ""%1""" -"New Product Attribute",新产品属性 -"Advanced Attribute Properties","Advanced Attribute Properties" -"Attribute Code","Attribute Code" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Default Value" -"Unique Value","Unique Value" -"Unique Value (not shared with other products)","Unique Value (not shared with other products)" -"Not shared with other products","Not shared with other products" -"Input Validation for Store Owner","Input Validation for Store Owner" -Global,全球 -Scope,范围 -"Declare attribute value saving scope",声明属性值保存范围 -"Frontend Properties",前端属性 -"Use in Quick Search",使用快速搜索 -"Use in Advanced Search",使用高级搜索 -"Comparable on Frontend","Comparable on Frontend" -"Use for Promo Rule Conditions",使用促销规则条件 -"Enable WYSIWYG",启用所见即所得 -"Allow HTML Tags on Frontend",允许在前端使用HTML标签 -"Visible on Catalog Pages on Frontend","Visible on Catalog Pages on Frontend" -"Used in Product Listing",用于产品清单 -"Depends on design theme",取决于设计主题 -"Used for Sorting in Product Listing",在产品列表中使用排序 -"Media Image",媒体图片 -Gallery,画廊 -"System Properties",系统属性 -"Data Type for Saving in Database",要保存在数据库中的数据类型 -Text,文字 -Varchar,可变长字符串 -Static,静态 -Datetime,日期时间 -Decimal,十进制 -Integer,整数 -"Globally Editable",全球范围内可编辑 -"Attribute Information",属性信息 -Properties,属性 -"Manage Labels","Manage Labels" -Visible,可见 -Searchable,可搜索 -Comparable,可比较 -"Delete Selected Group",删除所选组 -"Delete Attribute Set",删除属性集 -"You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?","You are about to delete all products in this set. ' 'Are you sure you want to delete this attribute set?" -"Save Attribute Set",保存属性集 -"New Set Name",新集名称 -"Edit Attribute Set '%1'","Edit Attribute Set '%1'" -Empty,空 -"Add Attribute",添加属性 -"Add New Group",添加新群组 -"Add Group",添加群组 -"Edit Set Name",编辑集名称 -"For internal use","For internal use" -"Based On",基于 -"Add New Attribute Set",添加新属性集 -"Add New Set",添加新集 -"Attribute Sets","Attribute Sets" -"Product Templates","Product Templates" -"Product Template","Product Template" -"Close Window",关闭窗口 -"New Product",新产品 -"Save & Edit","Save & Edit" -"Save & New","Save & New" -"Save & Duplicate","Save & Duplicate" -"Save & Close","Save & Close" -Attributes,属性 -Change,更改 -"Advanced Inventory","Advanced Inventory" -Websites,网站 -"Products Information",产品信息 -"Category Name","Category Name" -"Parent Category",父分类 -"If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories.","If there are no custom parent categories, please use the default parent category. ' 'You can reassign the category at any time in ' 'Products > Categories." -"We saved the price alert subscription.","We saved the price alert subscription." -"We saved the stock notification.","We saved the stock notification." -"There are no customers for this alert.",没有客户适用于此提醒。 -"Subscribe Date",订阅日期 -"Last Notified",最新通知 -"Send Count",发送数量 -"New Attribute","New Attribute" -"Attribute Set",属性集 -"Add New Option",添加新选项 -"Import Options","Import Options" -Import,Import -"Add New Row",添加新行 -"Delete Row",删除行 -"Tier Pricing",层级价格 -"Default Price",默认价格 -"Add Group Price",添加组价格 -"ALL GROUPS",所有群组 -"Add Tier",添加层 -"Default Values",默认值 -"Related Products",相关产品 -Up-sells,超售 -Cross-sells,交叉销售 -"Size for %1","Size for %1" -"Watermark File for %1","Watermark File for %1" -"Position of Watermark for %1","Position of Watermark for %1" -"Name in %1","Name in %1" -"Notify Low Stock RSS",存货不足RSS通知 -"Change status",更改状态 -"Update Attributes",更新属性 -"Click here or drag and drop to add images","Click here or drag and drop to add images" -"Delete image","Delete image" -"Make Base","Make Base" -Hidden,Hidden -"Image Management","Image Management" -"start typing to search category","start typing to search category" -"New Category","New Category" -"Add New Images",添加新图像 -"Inc. Tax","Inc. Tax" -lbs,lbs -"Add New Search Term",添加新的搜索条件 -"Save Search",保存搜索 -"Delete Search",删除搜索 -"Edit Search '%1'","Edit Search '%1'" -"New Search",新搜索 -"Search Information",搜索信息 -"Search Query",搜索查询 -"Number of results",结果的数量 -"Number of results (For the last time placed)",结果的数量(上次的置入) -"For the last time placed.",上次的置入 -"Number of Uses","Number of Uses" -"Synonym For",同义词 -"Will make search for the query above return results for this search","Will make search for the query above return results for this search" -"Redirect URL",重定向URL -"ex. http://domain.com","例如 http://domain.com" -"Display in Suggested Terms",显示建议的搜索条件 -"Go to Home Page",前往主页 -"%1 RSS Feed","%1 RSS Feed" -"Products Comparison List",产品比较列表 -AM,AM -PM,PM -Categories,分类 -"Manage Catalog Categories",管理分类类别 -"Manage Categories",管理分类 -"Attribute ""%1"" is required.","Attribute ""%1"" is required." -"Unable to save the category","Unable to save the category" -"You saved the category.","You saved the category." -"There was a category move error.","There was a category move error." -"There was a category move error %1","There was a category move error %1" -"You deleted the category.","You deleted the category." -"Something went wrong while trying to delete the category.","Something went wrong while trying to delete the category." -"This product no longer exists.",该产品已不存在。 -"Unable to save product","Unable to save product" -"You saved the product.","You saved the product." -"SKU for product %1 has been changed to %2.","SKU for product %1 has been changed to %2." -"You duplicated the product.","You duplicated the product." -"Please select product(s).",请选择产品。 -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Something went wrong while updating the product(s) status.","Something went wrong while updating the product(s) status." -"Please make sure to define SKU values for all processed products.","Please make sure to define SKU values for all processed products." -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Something went wrong while updating the product(s) attributes.","Something went wrong while updating the product(s) attributes." -"Please select products for attributes update.","Please select products for attributes update." -"Manage Product Attributes",管理产品属性 -"This attribute no longer exists.","This attribute no longer exists." -"This attribute cannot be edited.",该属性无法编辑。 -"Edit Product Attribute",编辑产品属性 -"An attribute with this code already exists.","An attribute with this code already exists." -"Attribute with the same code (%1) already exists.","Attribute with the same code (%1) already exists." -"Attribute Set with name '%1' already exists.","Attribute Set with name '%1' already exists." -"Something went wrong saving the attribute.","Something went wrong saving the attribute." -"Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter.","Attribute code ""%1"" is invalid. Please use only letters (a-z), ' 'numbers (0-9) or underscore(_) in this field, first character should be a letter." -"You can't update your attribute.","You can't update your attribute." -"You saved the product attribute.","You saved the product attribute." -"This attribute cannot be deleted.",该属性无法被删除。 -"The product attribute has been deleted.",产品属性已被删除。 -"We can't find an attribute to delete.","We can't find an attribute to delete." -"A group with the same name already exists.",以同样名称命名的群组已存在。 -"Something went wrong while saving this group.","Something went wrong while saving this group." -"Manage Attribute Sets",管理属性集 -"New Set","New Set" -"Manage Product Sets",管理产品设置 -"This attribute set no longer exists.",该属性已不存在。 -"You saved the attribute set.","You saved the attribute set." -"An error occurred while saving the attribute set.",保存属性集时发生错误。 -"New Attribute Set","New Attribute Set" -"New Product Template","New Product Template" -"The attribute set has been removed.","The attribute set has been removed." -"An error occurred while deleting this set.","An error occurred while deleting this set." -"Search Terms","Search Terms" -"This search no longer exists.",该搜索已不存在。 -"Edit Search",编辑搜索 -"You already have an identical search term query.","You already have an identical search term query." -"Something went wrong while saving the search query.","Something went wrong while saving the search query." -"You deleted the search.","You deleted the search." -"We can't find a search term to delete.","We can't find a search term to delete." -"Please select catalog searches.","Please select catalog searches." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -"You added product %1 to the comparison list.","You added product %1 to the comparison list." -"You removed product %1 from the comparison list.","You removed product %1 from the comparison list." -"You cleared the comparison list.","You cleared the comparison list." -"Something went wrong clearing the comparison list.","Something went wrong clearing the comparison list." -"To see product price, add this item to your cart. You can always remove it later.",要查看产品价格,请添加该项目到您的购物车。您总是可以稍后删除它。 -"See price before order confirmation.",确认订单前显示价格。 -"The product is not loaded.","The product is not loaded." -"Invalid attribute %1","Invalid attribute %1" -"Field ""%1"" was not found in DO ""%2"".","Field ""%1"" was not found in DO ""%2""." -Grid,网格 -List,列表 -"Product is not loaded",产品尚未加载 -"Bad controller interface for showing product","Bad controller interface for showing product" -"Sorry, but we can't move the category because we can't find the new parent category you selected.","Sorry, but we can't move the category because we can't find the new parent category you selected." -"Sorry, but we can't move the category because we can't find the new category you selected.","Sorry, but we can't move the category because we can't find the new category you selected." -"We can't perform this category move operation because the parent category matches the child category.","We can't perform this category move operation because the parent category matches the child category." -"The value of attribute ""%1"" must be unique.","The value of attribute ""%1"" must be unique." -"Default Product Listing Sort by does not exist in Available Product Listing Sort By.","Default Product Listing Sort by does not exist in Available Product Listing Sort By." -"No layout updates",无布局更新 -"Products only",仅产品 -"Static block only",仅静态区块 -"Static block and products",静态区块和产品 -"Please select a static block.","Please select a static block." -frontend_label,frontend_label -"-- Please Select a Category --","-- Please Select a Category --" -"Grid Only","Grid Only" -"List Only","List Only" -"Grid (default) / List","Grid (default) / List" -"List (default) / Grid","List (default) / Grid" -"Automatic (equalize price ranges)","Automatic (equalize price ranges)" -"Automatic (equalize product counts)","Automatic (equalize product counts)" -Manual,Manual -"-- Please select --","-- Please select --" -"Product Thumbnail Itself","Product Thumbnail Itself" -"Parent Product Thumbnail","Parent Product Thumbnail" -"12h AM/PM","12h AM/PM" -24h,24h -Stretch,拉伸 -Tile,平铺 -Top/Left,顶部/左侧 -Top/Right,顶部/右侧 -Bottom/Left,底部/左侧 -Bottom/Right,底部/右侧 -Center,中心 -"Could not rebuild index for undefined product","Could not rebuild index for undefined product" -"Bad value was supplied.","Bad value was supplied." -"The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module","The Flat Catalog module has a limit of %2\$d filterable and/or sortable attributes."" ""Currently there are %1\$d of them."" ""Please reduce the number of filterable/sortable attributes in order to use this module" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Index product and categories URL Rewrites","Index product and categories URL Rewrites" -"The category must be an instance of \Magento\Catalog\Model\Category.","The category must be an instance of \Magento\Catalog\Model\Category." -"Please correct the category.","Please correct the category." -"The attribute model is not defined.","The attribute model is not defined." -Category,分类 -"%1 - %2","%1 - %2" -"The filter must be an object. Please set correct filter.","The filter must be an object. Please set correct filter." -"%1 and above","%1 and above" -"Clear Price",清除价格 -"The filters must be an array.",过滤器必须为数组。 -"We found a duplicate website group price customer group.","We found a duplicate website group price customer group." -"Group price must be a number greater than 0.","Group price must be a number greater than 0." -"The image does not exist.","The image does not exist." -"Please correct the image file type.","Please correct the image file type." -"We couldn't move this file: %1.","We couldn't move this file: %1." -"We couldn't copy file %1. Please delete media with non-existing images and try again.","We couldn't copy file %1. Please delete media with non-existing images and try again." -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"SKU length should be %1 characters maximum.","SKU length should be %1 characters maximum." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"We found a duplicate website, tier price, customer group and quantity.","We found a duplicate website, tier price, customer group and quantity." -"Use config",用户配置 -"In Cart",购物车 -"Before Order Confirmation",在订单确认之前 -"On Gesture",手势 -"We can't find the image file.","We can't find the image file." -"Index product attributes for layered navigation building",为分层导航建筑索引产品属性 -"The option type to get group instance is incorrect.","The option type to get group instance is incorrect." -"Select type options required values rows.",选择需要值的选项类型。 -"Please specify date required option(s).",请指定日期需要的选项。 -"Please specify time required option(s).",请指定时间需要的选项。 -"Please specify the product's required option(s).",请指定产品的必要选项。 -"The option instance type in options group is incorrect.","The option instance type in options group is incorrect." -"The product instance type in options group is incorrect.","The product instance type in options group is incorrect." -"The configuration item option instance in options group is incorrect.","The configuration item option instance in options group is incorrect." -"The configuration item instance in options group is incorrect.","The configuration item instance in options group is incorrect." -"The BuyRequest instance in options group is incorrect.","The BuyRequest instance in options group is incorrect." -"We couldn't add the product to the cart because of an option validation issue.","We couldn't add the product to the cart because of an option validation issue." -"The file you uploaded is larger than %1 Megabytes allowed by server","The file you uploaded is larger than %1 Megabytes allowed by server" -"The file '%1' for '%2' has an invalid extension.","The file '%1' for '%2' has an invalid extension." -"Maximum allowed image size for '%1' is %2x%3 px.","Maximum allowed image size for '%1' is %2x%3 px." -"The file '%1' you uploaded is larger than the %2 megabytes allowed by our server.","The file '%1' you uploaded is larger than the %2 megabytes allowed by our server." -px.,像素 -"The file options format is not valid.","The file options format is not valid." -"Some of the selected item options are not currently available.","Some of the selected item options are not currently available." -"The text is too long.","The text is too long." -"We can't create writeable directory ""%1"".","We can't create writeable directory ""%1""." -"The file upload failed.","The file upload failed." -"The product has required options.","The product has required options." -"Something went wrong while processing the request.","Something went wrong while processing the request." -"Not Visible Individually",无独立可见性 -"Catalog, Search",分类,搜索 -"Something went wrong removing products from the websites.","Something went wrong removing products from the websites." -"Something went wrong adding products to websites.","Something went wrong adding products to websites." -"Attribute '%1' is locked. ","Attribute '%1' is locked. " -"Do not change the scope. ","Do not change the scope. " -"We found an unknown EAV indexer type ""%1"".","We found an unknown EAV indexer type ""%1""." -"A product type is not defined for the indexer.",索引器中产品类型未定义。 -"Something went wrong saving the URL rewite.","Something went wrong saving the URL rewite." -"Multiple Select","Multiple Select" -Dropdown,Dropdown -"Please specify either a category or a product, or both.","Please specify either a category or a product, or both." -"A category object is required for determining the product request path.","A category object is required for determining the product request path." -"As low as:",低至: -"Are you sure you want to delete this category?",你确定要删除此类别? -"ID: %1","ID: %1" -"Set root category for this store in the configuration.","Set root category for this store in the configuration." -"Collapse All",折叠全部 -"Expand All",全部展开 -"Please confirm site switching. All data that hasn't been saved will be lost.","Please confirm site switching. All data that hasn't been saved will be lost." -"Manage Titles (Size, Color, etc.)",管理名称(尺寸,颜色等) -"Manage Options (values of your attribute)","Manage Options (values of your attribute)" -"Is Default",为默认值 -"Add Option","Add Option" -"Sort Option","Sort Option" -Groups,群组 -"Double click on a group to rename it",双击组即可更名 -"Unassigned Attributes",未分配的属性 -"A name is required.","A name is required." -"This group contains system attributes. Please move system attributes to another group and try again.",该群组包含系统属性。请移动系统属性到另一群组并重试。 -"Please enter a new group name.","Please enter a new group name." -"An attribute group named ""/name/"" already exists"".","An attribute group named ""/name/"" already exists""." -"We're unable to complete this request.","We're unable to complete this request." -"You cannot remove system attributes from this set.","You cannot remove system attributes from this set." -"Custom Options",自定义选项 -"This is a required option.","This is a required option." -"Field is not complete",字段不完整 -"Allowed file extensions to upload",允许上传的文件扩展 -"Maximum image width",图片最大宽度 -"Maximum image height",图片最大高度 -"Maximum number of characters:",最大字符数: -"Product online","Product online" -"Product offline","Product offline" -"Product online status","Product online status" -"Manage Stock",库存管理 -"Minimum Qty for Item's Status to be Out of Stock","Minimum Qty for Item's Status to be Out of Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -"Qty Uses Decimals","Qty Uses Decimals" -Backorders,缺货 -"Notify for Quantity Below",存量过低通知 -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"Stock Availability",库存状况 -"In Stock",有货 -"Out of Stock",无货 -"Add Product To Websites",添加产品到网站 -"Remove Product From Websites",从网站删除产品 -"Items that you do not want to show in the catalog or search results should have status 'Disabled' in the desired store.",您不希望显示在分类或搜索结果中的内容应在目标店铺中设置'Disabled'状态。 -"Bundle with dynamic pricing cannot include custom defined options. Options will not be saved.","Bundle with dynamic pricing cannot include custom defined options. Options will not be saved." -"Delete Custom Option","Delete Custom Option" -"Sort Custom Options","Sort Custom Options" -"Allowed File Extensions",允许的文件扩展 -"Maximum Image Size",最大图像大小 -"%1 x %2 px.","%1 x %2 px." -"Please leave blank if it is not an image.","Please leave blank if it is not an image." -"Sort Custom Option","Sort Custom Option" -"Max Characters",字符数上限 -"Customer Group",客户组 -"Delete Group Price",删除组价格 -"Item Price","Item Price" -"and above",及以上 -"Delete Tier",删除层 -"Product In Websites",网站中的产品 -"Items that you don't want to show in the catalog or search results should have status 'Disabled' in the desired store.",您不希望在分类或搜索结果中显示的内容应在目标店铺中设置'Disabled'状态。 -"(Copy data from: %1)","(Copy data from: %1)" -"Remove Image","Remove Image" -"Alt Text","Alt Text" -Role,Role -"Hide from Product Page","Hide from Product Page" -"Close panel","Close panel" -"Regular Price:",常规价格: -"Special Price:",特殊价格: -"Product Alerts",产品警报 -"Can be Divided into Multiple Boxes for Shipping",可拆分为多个箱发货 -"Basic Settings","Basic Settings" -"Advanced Settings","Advanced Settings" -"Select Product Actions","Select Product Actions" -"Price as configured:","Price as configured:" -"Click for price",单击获取价格 -"What's this?",这是什么? -"Buy %1 for: ","Buy %1 for: " -"Buy %1 for %2","Buy %1 for %2" -each,每个 -and,和 -save,保存 -"Actual Price",实际价格 -"Shop By",购物 -"Shopping Options",购物选项 -"Compare Products",比较产品 -"1 item","1 item" -"%1 items","%1 items" -"Print This Page",打印本页面 -"Remove Product","Remove Product" -"Add to Wishlist",添加到收藏 -"You have no items to compare.",您没有可比较的项目。 -"Are you sure you would like to remove this item from the compare products?",你确定要从对比产品中删除这个项目? -"Are you sure you would like to remove all products from your comparison?",你确定要是删除所有对比的产品? -"Remove This Item",删除该内容 -Compare,比较 -"Clear All",清除全部 -Prev,上一个 -"There are no products matching the selection.",没有产品匹配该选择。 -"Add to Compare",添加并比较 -"Learn More",了解更多 -"You may also be interested in the following product(s)",您还可能对下列产品感兴趣 -"More Choices:","More Choices:" -"New Products",新产品 -"Check items to add to the cart or",检查要加入购物车的内容 -"select all",全选 -"View as",查看为 -"Sort By",分类依据 -"Set Ascending Direction",设置降序顺序 -"Set Descending Direction",设置升序顺序 -"Items %1-%2 of %3","Items %1-%2 of %3" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,显示 -"Additional Information",额外信息 -"More Views",更多视图 -"Click on image to view it full sized","Click on image to view it full sized" -"Click on image to zoom","Click on image to zoom" -"Email to a Friend",给朋友发邮件 -Details,详情 -Template,模板 -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Select type of option.","Select type of option." -"Please add rows to option.",请添加选项行。 -"Select Product","Select Product" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"unselect all",撤销全选 -"Maximal Depth","Maximal Depth" -"Anchor Custom Text",自定义文本锚点 -"Anchor Custom Title",自定义标题锚点 -"Product Fields Auto-Generation","Product Fields Auto-Generation" -"Mask for SKU","Mask for SKU" -"Use {{name}} as Product Name placeholder","Use {{name}} as Product Name placeholder" -"Mask for Meta Title","Mask for Meta Title" -"Mask for Meta Keywords","Mask for Meta Keywords" -"Use {{name}} as Product Name or {{sku}} as Product SKU placeholders","Use {{name}} as Product Name or {{sku}} as Product SKU placeholders" -"Mask for Meta Description","Mask for Meta Description" -"Use {{name}} and {{description}} as Product Name and Product Description placeholders","Use {{name}} and {{description}} as Product Name and Product Description placeholders" -Frontend,Frontend -"List Mode","List Mode" -"Products per Page on Grid Allowed Values","Products per Page on Grid Allowed Values" -Comma-separated.,Comma-separated. -"Products per Page on Grid Default Value","Products per Page on Grid Default Value" -"Must be in the allowed values list","Must be in the allowed values list" -"Products per Page on List Allowed Values","Products per Page on List Allowed Values" -"Products per Page on List Default Value","Products per Page on List Default Value" -"Use Flat Catalog Category","Use Flat Catalog Category" -"Use Flat Catalog Product","Use Flat Catalog Product" -"Product Listing Sort by","Product Listing Sort by" -"Allow All Products per Page","Allow All Products per Page" -"Whether to show ""All"" option in the ""Show X Per Page"" dropdown","Whether to show ""All"" option in the ""Show X Per Page"" dropdown" -"Allow Dynamic Media URLs in Products and Categories","Allow Dynamic Media URLs in Products and Categories" -"E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance.","E.g. {{media url=""path/to/image.jpg""}} {{skin url=""path/to/picture.gif""}}. Dynamic directives parsing impacts catalog performance." -"Product Image Placeholders","Product Image Placeholders" -"Search Engine Optimization","Search Engine Optimization" -"Category URL Suffix","Category URL Suffix" -"You need to refresh the cache.","You need to refresh the cache." -"Product URL Suffix","Product URL Suffix" -"Use Categories Path for Product URLs","Use Categories Path for Product URLs" -"Create Permanent Redirect for URLs if URL Key Changed","Create Permanent Redirect for URLs if URL Key Changed" -"Page Title Separator","Page Title Separator" -"Use Canonical Link Meta Tag For Categories","Use Canonical Link Meta Tag For Categories" -"Use Canonical Link Meta Tag For Products","Use Canonical Link Meta Tag For Products" -"Catalog Price Scope","Catalog Price Scope" -"This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"").","This defines the base currency scope (""Currency Setup"" > ""Currency Options"" > ""Base Currency"")." -"Category Top Navigation","Category Top Navigation" -"Date & Time Custom Options","Date & Time Custom Options" -"Use JavaScript Calendar","Use JavaScript Calendar" -"Date Fields Order","Date Fields Order" -"Time Format","Time Format" -"Year Range","Year Range" -"Please use a four-digit year format.","Please use a four-digit year format." -"Product Image Watermarks","Product Image Watermarks" -"Watermark Default Size","Watermark Default Size" -"Watermark Opacity, Percent","Watermark Opacity, Percent" -Watermark,Watermark -"Watermark Position","Watermark Position" -"Use Static URLs for Media Content in WYSIWYG for Catalog","Use Static URLs for Media Content in WYSIWYG for Catalog" -"This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes.","This applies only to catalog products and categories. Media content will be inserted into the editor as a static URL. Media content is not updated if the system configuration base URL changes." -"Minimum Advertised Price","Minimum Advertised Price" -"Enable MAP","Enable MAP" -"Warning! Applying MAP by default will hide all product prices on the front end.","Warning! Applying MAP by default will hide all product prices on the front end." -"Display Actual Price","Display Actual Price" -"Default Popup Text Message","Default Popup Text Message" -"Default ""What's This"" Text Message","Default ""What's This"" Text Message" -"Product Flat Data",产品平坦数据 -"Reorganize EAV product structure to flat structure",重新整理EAV产品结构为平坦结构 -"Category Flat Data",分类平坦数据 -"Reorganize EAV category structure to flat structure",重新识别EAV分类结构为平坦结构 -"Indexed category/products association",已索引的分类/产品关联 -"Product Categories",产品分类 -"Indexed product/categories association","Indexed product/categories association" -"Product Price","Product Price" -"Index product prices",索引产品价格 -"Catalog New Products List",分类新产品列表 -"List of Products that are set as New",名单被定为新产品 -"Display Type","Display Type" -"All products - recently added products, New products - products marked as new","All products - recently added products, New products - products marked as new" -"All products","All products" -"New products","New products" -"Display Page Control","Display Page Control" -"Number of Products per Page","Number of Products per Page" -"Number of Products to Display",显示的产品数量 -"New Products Grid Template",新产品网格模板 -"New Products List Template",新产品列表模板 -"New Products Images and Names Template","New Products Images and Names Template" -"New Products Names Only Template","New Products Names Only Template" -"New Products Images Only Template","New Products Images Only Template" -"Cache Lifetime (Seconds)",缓存生存时间(秒) -"86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache.","86400 by default, if not set. To refresh instantly, clear the Blocks HTML Output cache." -"Catalog Product Link",分类产品链接 -"Link to a Specified Product",链接到指定产品 -"If empty, the Product Name will be used","If empty, the Product Name will be used" -"Product Link Block Template",产品链接区块模板 -"Product Link Inline Template",产品链接内联模板 -"Catalog Category Link",分类类别链接 -"Link to a Specified Category",链接到指定的分类 -"If empty, the Category Name will be used",如果为空,则使用分类名称 -"Category Link Block Template",分类链接块模板 -"Category Link Inline Template",分类链接内联摸板 -Set,设置名称 -none,none -Overview,Overview -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" diff --git a/app/code/Magento/CatalogImportExport/i18n/de_DE.csv b/app/code/Magento/CatalogImportExport/i18n/de_DE.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/de_DE.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogImportExport/i18n/es_ES.csv b/app/code/Magento/CatalogImportExport/i18n/es_ES.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/es_ES.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogImportExport/i18n/fr_FR.csv b/app/code/Magento/CatalogImportExport/i18n/fr_FR.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/fr_FR.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogImportExport/i18n/nl_NL.csv b/app/code/Magento/CatalogImportExport/i18n/nl_NL.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/nl_NL.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogImportExport/i18n/pt_BR.csv b/app/code/Magento/CatalogImportExport/i18n/pt_BR.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/pt_BR.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogImportExport/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogImportExport/i18n/zh_Hans_CN.csv deleted file mode 100644 index 1dc4dab023054..0000000000000 --- a/app/code/Magento/CatalogImportExport/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,16 +0,0 @@ -"Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType","Entity type model must be an instance of' ' \Magento\CatalogImportExport\Model\Export\Product\Type\AbstractType" -"There are no product types available for export","There are no product types available for export" -"Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType","Entity type model must be an instance of ' 'Magento\CatalogImportExport\Model\Import\Product\Type\AbstractType" -"Invalid custom option store.","Invalid custom option store." -"Invalid custom option type.","Invalid custom option type." -"Empty custom option title.","Empty custom option title." -"Invalid custom option price.","Invalid custom option price." -"Invalid custom option maximum characters value.","Invalid custom option maximum characters value." -"Invalid custom option sort order.","Invalid custom option sort order." -"Invalid custom option value price.","Invalid custom option value price." -"Invalid custom option value sort order.","Invalid custom option value sort order." -"Custom option with such title already declared in source file.","Custom option with such title already declared in source file." -"There are several existing custom options with such name.","There are several existing custom options with such name." -"Custom options have different types.","Custom options have different types." -"Option entity must have a parent product entity.","Option entity must have a parent product entity." -"Please correct the parameters.","Please correct the parameters." diff --git a/app/code/Magento/CatalogInventory/i18n/de_DE.csv b/app/code/Magento/CatalogInventory/i18n/de_DE.csv deleted file mode 100644 index 27a18bc53d3a6..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/de_DE.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock","Auf Lager" -"Out of Stock","Nicht auf Lager" -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status",Lagerstatus -"Index Product Stock Status","Index Produkt Lagerstatus" -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.","Der Lagerartikel für das Produkt in Option ist nicht gültig." -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders","Kein Lieferrückstand" -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogInventory/i18n/es_ES.csv b/app/code/Magento/CatalogInventory/i18n/es_ES.csv deleted file mode 100644 index ae5832b22fb48..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/es_ES.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock","En Existencia" -"Out of Stock","Sin Existencias" -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status","Estado de Existencias" -"Index Product Stock Status","Estado de Existencias de Producto de Índice" -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.","El artículo de existencias para el Producto en opción no es válido." -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders","No Hay Pedidos Pendientes" -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogInventory/i18n/fr_FR.csv b/app/code/Magento/CatalogInventory/i18n/fr_FR.csv deleted file mode 100644 index 9f26189b6bf28..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/fr_FR.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock","En stock" -"Out of Stock","Pas en stock" -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status","État de stock" -"Index Product Stock Status","Indexe état du stock de produit" -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.","L'article de stock pour produit en option n'est pas valide." -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders","Pas de commande en rupture de stock" -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogInventory/i18n/nl_NL.csv b/app/code/Magento/CatalogInventory/i18n/nl_NL.csv deleted file mode 100644 index 94787f375cc70..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/nl_NL.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock","Op voorraad" -"Out of Stock","Niet op voorraad" -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status",Voorraadstatus -"Index Product Stock Status","Index product voorraad status" -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.","Het voorraadproduct voor product in opties is niet geldig." -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders","Geen nabestellingen" -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogInventory/i18n/pt_BR.csv b/app/code/Magento/CatalogInventory/i18n/pt_BR.csv deleted file mode 100644 index 7b0d5f0ea27ae..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/pt_BR.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock","No Estoque" -"Out of Stock",Esgotado -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status","Estado de Estoque" -"Index Product Stock Status","Índice de Estado de Estoque do Produto" -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.","O item de estoque para o produto em opção não é válido." -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders","Sem Pedidos Retroativos" -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv deleted file mode 100644 index 1d2fdac53d05a..0000000000000 --- a/app/code/Magento/CatalogInventory/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,54 +0,0 @@ -Qty,Qty -"ALL GROUPS","ALL GROUPS" -"Unsupported product type ""%1"".","Unsupported product type ""%1""." -"Manage Stock","Manage Stock" -"Minimum Qty Allowed in Shopping Cart","Minimum Qty Allowed in Shopping Cart" -"Maximum Qty Allowed in Shopping Cart","Maximum Qty Allowed in Shopping Cart" -Backorders,Backorders -"Notify for Quantity Below","Notify for Quantity Below" -"Enable Qty Increments","Enable Qty Increments" -"Qty Increments","Qty Increments" -"In Stock",有货 -"Out of Stock",无货 -"Customer Group","Customer Group" -"Minimum Qty","Minimum Qty" -"Add Minimum Qty","Add Minimum Qty" -"Stock Status",库存状态 -"Index Product Stock Status",索引产品库存状态 -"This product is out of stock.","This product is out of stock." -"Some of the products are currently out of stock.","Some of the products are currently out of stock." -"The stock item for Product in option is not valid.",产品的库存选项无效。 -"Undefined product type","Undefined product type" -"%1 is not a correct comparison method.","%1 is not a correct comparison method." -"No Backorders",无延期交货 -"Allow Qty Below 0","Allow Qty Below 0" -"Allow Qty Below 0 and Notify Customer","Allow Qty Below 0 and Notify Customer" -"Not all of your products are available in the requested quantity.","Not all of your products are available in the requested quantity." -"We cannot specify a product identifier for the order item.","We cannot specify a product identifier for the order item." -"The fewest you may purchase is %1.","The fewest you may purchase is %1." -"Please correct the quantity for some products.","Please correct the quantity for some products." -"The most you may purchase is %1.","The most you may purchase is %1." -"We don't have as many ""%1"" as you requested.","We don't have as many ""%1"" as you requested." -"We don't have as many ""%1"" as you requested, but we'll back order the remaining %2.","We don't have as many ""%1"" as you requested, but we'll back order the remaining %2." -"We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2.","We don't have ""%1"" in the requested quantity, so we'll back order the remaining %2." -"You can buy %1 only in increments of %2.","You can buy %1 only in increments of %2." -"You can buy this product only in increments of %1.","You can buy this product only in increments of %1." -"%1 is available for purchase in increments of %2","%1 is available for purchase in increments of %2" -"Only %1 left","Only %1 left" -"Product Name","Product Name" -Inventory,Inventory -"Stock Options","Stock Options" -"Decrease Stock When Order is Placed","Decrease Stock When Order is Placed" -"Set Items' Status to be In Stock When Order is Cancelled","Set Items' Status to be In Stock When Order is Cancelled" -"Display Out of Stock Products","Display Out of Stock Products" -"Products will still be shown by direct product URLs.","Products will still be shown by direct product URLs." -"Only X left Threshold","Only X left Threshold" -"Display products availability in stock in the frontend","Display products availability in stock in the frontend" -"Product Stock Options","Product Stock Options" -" - Please note that these settings apply to individual items in the cart, not to the entire cart. - "," - Please note that these settings apply to individual items in the cart, not to the entire cart. - " -"Qty for Item's Status to Become Out of Stock","Qty for Item's Status to Become Out of Stock" -"Automatically Return Credit Memo Item to Stock","Automatically Return Credit Memo Item to Stock" diff --git a/app/code/Magento/CatalogRule/i18n/de_DE.csv b/app/code/Magento/CatalogRule/i18n/de_DE.csv deleted file mode 100644 index 2cfceb25ae29b..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/de_DE.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,ID -SKU,SKU -Apply,Anwenden -No,Nein -Yes,Ja -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -Type,Typ -Description,Beschreibung -From,From -To,To -Catalog,Katalog -Actions,Aktionen -Rule,Regelname -"Start on",Startdatum -"End on",Verfalldatum -Active,Aktiv -"This rule no longer exists.","Diese Regel existiert nicht mehr." -"General Information","Allgemeine Information" -Websites,Webseiten -"Attribute Set",Attributset -"Apply Rules","Regeln anwenden" -"Catalog Price Rules","Katalogpreis Regeln" -"Add New Rule","Neue Regel hinzufügen" -"Save and Apply","Speichern und anwenden" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Neue Regel" -"Rule Information",Regelinformation -"Update Prices Using the Following Information","Preise mit folgenden Informationen aktualisieren" -"By Percentage of the Original Price","Durch Prozentsatz des Orginalpreises" -"By Fixed Amount","Durch festen Betrag" -"To Percentage of the Original Price","Zu Prozentsatz des Originalpreises" -"To Fixed Amount","Zu festem Betrag" -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts","Rabatt für Unterprodukte aktivieren" -"Stop Further Rules Processing","Weitere Regelbearbeitung abbrechen" -Conditions,Bedingungen -"Conditions (leave blank for all products)","Bedingungen (leer lassen für Alle Produkte)" -"Rule Name","Rule Name" -Inactive,"Nicht aktiv" -"Customer Groups",Kundengruppen -"From Date","Von Datum" -"To Date","Bis Datum" -Priority,Priorität -"Catalog Price Rule","Katalogpreis Regel" -Promotions,Promotionen -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule","Regel ändern" -"Wrong rule specified.","Falsche Regel angegeben." -"The rule has been saved.","Die Regel wurde gespeichert." -"An error occurred while saving the rule data. Please review the log and try again.","Beim Speichern der Regeldaten trat ein Fehler auf. Bitte überprüfen Sie das Log und versuchen Sie es erneut." -"The rule has been deleted.","Die Regel wurde gelöscht." -"An error occurred while deleting the rule. Please review the log and try again.","Beim Löschen der Regel trat ein Fehler auf. Bitte überprüfen Sie das Log und versuchen Sie es erneut." -"Unable to find a rule to delete.","Keine Regel zum Löschen gefunden." -"Unable to apply rules.","Regeln können nicht angewendet werden." -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.","Einige Regeln wurden geändert, aber nicht angewendet. Bitte klicken Sie „Regeln anwenden“ um sofortige Anwendung im Katalog zu erhalten." -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination",Bedingungenkombination -"Product Attribute",Produktattribut -"The rules have been applied.","Die Regeln wurden angewendet." -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogRule/i18n/es_ES.csv b/app/code/Magento/CatalogRule/i18n/es_ES.csv deleted file mode 100644 index acd65c67ccdb2..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/es_ES.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,ID -SKU,SKU -Apply,Confirmar -No,No -Yes,Sí -"Web Site","Web Site" -Status,Estado -"Save and Continue Edit","Guardar y continuar editando" -Type,Tipo -Description,Descripción -From,From -To,To -Catalog,Catálogo -Actions,Acciones -Rule,"Nombre de la Regla" -"Start on","Fecha de inicio" -"End on","Fecha de caducidad" -Active,Activo -"This rule no longer exists.","Esta regla ya no existe." -"General Information","Información general" -Websites,"Páginas web" -"Attribute Set","Conjunto de atributos" -"Apply Rules","Aplicar reglas" -"Catalog Price Rules","Catálogo de Normas sobre Precios" -"Add New Rule","Añadir nueva regla" -"Save and Apply","Guardar y Aplicar" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nueva Regla" -"Rule Information","Información sobre la Regla" -"Update Prices Using the Following Information","Actualizar los precios según las siguiente información" -"By Percentage of the Original Price","Por porcentaje del precio original" -"By Fixed Amount","Por importe fijo" -"To Percentage of the Original Price","A porcentaje del precio original" -"To Fixed Amount","A cantidad fija" -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts","Habilitar descuento para subproductos" -"Stop Further Rules Processing","Detener el Procesamiento de Reglas adicionales" -Conditions,Condiciones -"Conditions (leave blank for all products)","Condiciones (para todos los productos déjelo en blanco)" -"Rule Name","Rule Name" -Inactive,Inactivo -"Customer Groups","Grupos de Cliente" -"From Date","A partir de la fecha" -"To Date","Hasta la fecha" -Priority,Prioridad -"Catalog Price Rule","Regla de Precios" -Promotions,Promociones -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule","Editar Regla" -"Wrong rule specified.","Regla especificada incorrecta." -"The rule has been saved.","La regla ha sido guardada." -"An error occurred while saving the rule data. Please review the log and try again.","Un error ocurrió mientras se guardaban los datos de la regla. Por favor, revise el registro e inténtelo de nuevo." -"The rule has been deleted.","La regla ha sido eliminada." -"An error occurred while deleting the rule. Please review the log and try again.","Un error ocurrió mientras se eliminaba la regla. Por favor, revise el registro e inténtelo de nuevo." -"Unable to find a rule to delete.","No se puede encontrar una regla para eliminar." -"Unable to apply rules.","No se pueden aplicar las reglas." -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.","Hay reglas que han sido modificadas pero no aplicadas. Por favor, haga clic en Aplicar Reglas con el fin de ver el efecto inmediato en el catálogo." -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Combinación de condiciones" -"Product Attribute","Atributos del producto" -"The rules have been applied.","Las reglas han sido aplicadas." -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogRule/i18n/fr_FR.csv b/app/code/Magento/CatalogRule/i18n/fr_FR.csv deleted file mode 100644 index 5349ab2025341..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/fr_FR.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,ID -SKU,SKU -Apply,Appliquer -No,Non -Yes,oui -"Web Site","Web Site" -Status,Statut -"Save and Continue Edit","Sauvegarder et continuer l'édition" -Type,Type -Description,Description -From,From -To,To -Catalog,Catalogue -Actions,Action -Rule,"Nom de règle" -"Start on","Date de début" -"End on","Date d'expiration" -Active,Actif -"This rule no longer exists.","Cette règle n'existe plus." -"General Information","Informations générales" -Websites,"Site web" -"Attribute Set","Ensemble d'attributs" -"Apply Rules","Appliquer les règles" -"Catalog Price Rules","Règles de prix du catalogue" -"Add New Rule","Ajouter nouvelle règle" -"Save and Apply","Enregistrer et appliquer" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nouvelle règle" -"Rule Information","Information de règle" -"Update Prices Using the Following Information","Mettre à jour les prix à l'aide des informations suivantes" -"By Percentage of the Original Price","Par pourcentage du prix d'origine" -"By Fixed Amount","Par quantité fixée" -"To Percentage of the Original Price","Sur pourcentage du prix d'origine" -"To Fixed Amount","Sur montant fixé" -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts","Autoriser les réductions sur les sous-produits" -"Stop Further Rules Processing","Ne pas aller plus loin dans le traitement des règles" -Conditions,Conditions -"Conditions (leave blank for all products)","Conditions (laisser vide pour tous les produits)" -"Rule Name","Rule Name" -Inactive,Inactif -"Customer Groups","Groupes de clients" -"From Date",Depuis -"To Date","Date de fin" -Priority,Priorité -"Catalog Price Rule","Règle de prix du catalogue" -Promotions,Promotions -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule","Éditer la règle" -"Wrong rule specified.","Une mauvaise règle a été spécifiée." -"The rule has been saved.","La règle a été sauvée." -"An error occurred while saving the rule data. Please review the log and try again.","Une erreur s'est produite à la sauvegarde des données de la règle. Réessayez après avoir lu le message d'erreur." -"The rule has been deleted.","La règle a été supprimée." -"An error occurred while deleting the rule. Please review the log and try again.","Une erreur s'est produite à la suppression de la règle. Réessayez après avoir lu le message d'erreur." -"Unable to find a rule to delete.","Aucune règle à supprimer" -"Unable to apply rules.","Impossible d'appliquer les règles" -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.","Il y a des règles qui ont été changées mais pas appliquées. Cliquez sur ""Appliquer les règles"" pour un effet immédiat sur le catalogue." -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Combinaison de conditions" -"Product Attribute","Attribut de produit" -"The rules have been applied.","Les règles ont été appliquées." -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogRule/i18n/nl_NL.csv b/app/code/Magento/CatalogRule/i18n/nl_NL.csv deleted file mode 100644 index 6bc287b3c44ce..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/nl_NL.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,ID -SKU,SKU -Apply,Toepassen -No,Nee -Yes,ja -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Bewaar en Ga Door met Bewerking" -Type,type -Description,Omschrijving -From,From -To,To -Catalog,Catalogus -Actions,Acties -Rule,"Regel naam" -"Start on",Startdatum -"End on",Vervaldatum -Active,actief -"This rule no longer exists.","Deze regel bestaat niet langer" -"General Information","Algemene informatie" -Websites,Websites -"Attribute Set",Attributenset -"Apply Rules","Stel regels in" -"Catalog Price Rules","Catalogus prijs regels" -"Add New Rule","voeg nieuwe regel toe" -"Save and Apply","Sla op en stel in" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nieuwe regel" -"Rule Information","Regel informatie" -"Update Prices Using the Following Information","Update Prijzen Met behulp van de Volgende Informatie" -"By Percentage of the Original Price","Door Percentage van de Oorspronkelijke Prijs" -"By Fixed Amount","Door Vaste Hoeveelheid" -"To Percentage of the Original Price","Naar Percentage van de Oorspronkelijke Prijs" -"To Fixed Amount","Naar Vaste Hoeveelheid" -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts","Schakel Korting op Deelproducten in" -"Stop Further Rules Processing","Stop verdere verwerking van regels" -Conditions,Voorwaarden -"Conditions (leave blank for all products)","Voorwaarden (laat leeg voor alle producten)" -"Rule Name","Rule Name" -Inactive,Inactief -"Customer Groups",Klantgroepen -"From Date","Vanaf datum" -"To Date","Naar datum" -Priority,Prioriteit -"Catalog Price Rule","Catalogus prijs regel" -Promotions,Promoties -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule","Bewerk regel" -"Wrong rule specified.","Verkeerde regel gespecificeerd" -"The rule has been saved.","De regel is opgeslagen." -"An error occurred while saving the rule data. Please review the log and try again.","Er is een fout opgetreden tijdens het opslaan van de regeldata. Herzie a.u.b. het log en probeer opnieuw." -"The rule has been deleted.","De regel is verwijderd" -"An error occurred while deleting the rule. Please review the log and try again.","Er is een fout opgetreden tijdens het verwijderen van de regel. Herzie a.u.b. de log en probeer opnieuw." -"Unable to find a rule to delete.","Niet in staat om een regel te vinden om te verwijderen" -"Unable to apply rules.","Niet in staat om regels in te stellen" -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.","Er zijn regels welke veranderd zijn, maar niet ingesteld. Klik op 'stel regels in' om direct effect te zien in de catalogus." -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination",Voorwaardencombinaties -"Product Attribute","Product attribuut" -"The rules have been applied.","De regels zijn ingesteld." -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogRule/i18n/pt_BR.csv b/app/code/Magento/CatalogRule/i18n/pt_BR.csv deleted file mode 100644 index 77c2c40996739..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/pt_BR.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,Identidade -SKU,SKU -Apply,Solicitar -No,Não -Yes,Sim -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Salvar e continuar a editar" -Type,Tipo -Description,Descrição -From,From -To,To -Catalog,Catálogo -Actions,Ações -Rule,"Nome da Regra" -"Start on","Data Inicial" -"End on",Vencimento -Active,Ativo -"This rule no longer exists.","Essa regra não existe mais." -"General Information","Informações gerais" -Websites,Sites -"Attribute Set","Conjunto de Atributos" -"Apply Rules","Aplicar Regras" -"Catalog Price Rules","Regras de Preço do Catálogo" -"Add New Rule","Adicionar nova regra" -"Save and Apply","Salvar e Aplicar" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nova Regra" -"Rule Information","Informação da Regra" -"Update Prices Using the Following Information","Atualizar preços usando as seguintes informações" -"By Percentage of the Original Price","Por Percentagem do Preço Original" -"By Fixed Amount","Por Quantia Fixa" -"To Percentage of the Original Price","Para uma Porcentagem do Preço Original" -"To Fixed Amount","Para um Valor Fixo" -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts","Habilitar Desconto para Subprodutos" -"Stop Further Rules Processing","Parar Outras Regras de Processamento" -Conditions,Condições -"Conditions (leave blank for all products)","Condições (deixar em branco para todos os produtos)" -"Rule Name","Rule Name" -Inactive,Inativo -"Customer Groups","Grupos do cliente" -"From Date","A Partir da Data" -"To Date","Até a Data Atual" -Priority,Prioridade -"Catalog Price Rule","Regra de Preço de Catálogo" -Promotions,Promoções -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule","Editar regra" -"Wrong rule specified.","Especificação de regra incorreta." -"The rule has been saved.","A regra foi salva." -"An error occurred while saving the rule data. Please review the log and try again.","Ocorreu um erro ao salvar os dados da regra. Reveja o relatório e tente novamente." -"The rule has been deleted.","A regra foi apagada." -"An error occurred while deleting the rule. Please review the log and try again.","Ocorreu um erro ao apagar a regra. Reveja o relatório e tente novamente." -"Unable to find a rule to delete.","Incapaz de encontrar uma regra para excluir." -"Unable to apply rules.","Incapaz de aplicar as regras." -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.","Existem regras que foram alteradas mas não foram aplicadas. Por favor, clique em Aplicar Regras para ver o efeito imediato no catálogo." -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Combinação de condições" -"Product Attribute","Atributo de Produto" -"The rules have been applied.","As regras foram aplicadas." -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv deleted file mode 100644 index e1fe27f48fbf5..0000000000000 --- a/app/code/Magento/CatalogRule/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,73 +0,0 @@ -Product,Product -ID,ID -SKU,SKU -Apply,应用 -No,否 -Yes,是 -"Web Site","Web Site" -Status,状态 -"Save and Continue Edit",保存并继续编辑 -Type,类型 -Description,描述 -From,From -To,To -Catalog,分类 -Actions,操作 -Rule,规则名称 -"Start on",开始日 -"End on",过期日 -Active,活动 -"This rule no longer exists.",该规则已不存在。 -"General Information",常规信息 -Websites,网站 -"Attribute Set",属性集 -"Apply Rules",应用规则 -"Catalog Price Rules",分类价格规则 -"Add New Rule",添加新规则 -"Save and Apply",保存并应用 -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule",新规则 -"Rule Information",规则信息 -"Update Prices Using the Following Information",使用下列信息更新价格 -"By Percentage of the Original Price",原始价格的百分率 -"By Fixed Amount",固定额度 -"To Percentage of the Original Price",到原始价格的百分率 -"To Fixed Amount",固定额度 -"Discount Amount","Discount Amount" -"Enable Discount to Subproducts",为附属产品启用折扣 -"Stop Further Rules Processing",停止进一步的规则处理 -Conditions,条件 -"Conditions (leave blank for all products)",条件(用于全部产品时留空) -"Rule Name","Rule Name" -Inactive,未激活 -"Customer Groups",客户组 -"From Date",来自日期 -"To Date",截止日期 -Priority,优先级 -"Catalog Price Rule",目录价格规则 -Promotions,促销 -Promo,Promo -"New Catalog Price Rule","New Catalog Price Rule" -"Edit Rule",修改规则 -"Wrong rule specified.",所指定规则有误。 -"The rule has been saved.",规则已保存。 -"An error occurred while saving the rule data. Please review the log and try again.",当保存规则数据时发生错误。请查看日志并重试。 -"The rule has been deleted.",规则已删除。 -"An error occurred while deleting the rule. Please review the log and try again.",当删除规则时发生错误。请检查日志并重试。 -"Unable to find a rule to delete.",无法查找要删除的规则。 -"Unable to apply rules.",无法应用规则。 -"There are rules that have been changed but were not applied. Please, click Apply Rules in order to see immediate effect in the catalog.",存在已更改但未应用的规则。请单击“应用规则”以立即查看目录中应用的效果。 -"%1 Catalog Price Rules based on ""%2"" attribute have been disabled.","%1 Catalog Price Rules based on ""%2"" attribute have been disabled." -"Update the Product","Update the Product" -"Rule price","Rule price" -"To Fixed Value","To Fixed Value" -"To Percentage","To Percentage" -"By Fixed value","By Fixed value" -"By Percentage","By Percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination",条件组合 -"Product Attribute",产品属性 -"The rules have been applied.",规则已应用。 -"Percentage discount should be between 0 and 100.","Percentage discount should be between 0 and 100." -"Discount value should be 0 or greater.","Discount value should be 0 or greater." -"Unknown action.","Unknown action." diff --git a/app/code/Magento/CatalogSearch/i18n/de_DE.csv b/app/code/Magento/CatalogSearch/i18n/de_DE.csv deleted file mode 100644 index 5129c5cc30cce..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/de_DE.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,Alle -"Are you sure?","Are you sure?" -No,Nein -Action,Action -Edit,Edit -Results,Ergebnisse -Uses,Uses -Delete,Delete -Store,Store -Yes,Ja -Home,Startseite -Search,Suche -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page","Zur Startseite gehen" -Grid,Raster -List,Liste -"Catalog Advanced Search","Katalog Erweiterte Suche" -Relevance,Relevanz -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.","Bitte geben Sie zumindest einen Suchbegriff ein." -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search","Katalog Suche" -"Rebuild Catalog product fulltext search index","Katalog Produktvolltext Suchindex neu generieren." -"Please specify correct data.","Please specify correct data." -"Search Settings",Sucheinstellungen -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.","Es wurden keine Artikel mit den folgenden Suchkriterien gefunden." -"Modify your search","Verändern Sie Ihre Suche" -name,name -"Don't see what you're looking for?","Nicht gefunden, was Sie suchen?" -"Search entire store here...","Den gesamten Shop durchsuchen..." -"Advanced Search","Erweiterte Suche" -"Your search returns no results.","Ihre Suche ergab keine Ergebnisse." -"There are no search terms available.","Es sind keine Suchbegriffe verfügbar." -"Popular Search Terms","Beliebte Suchbegriffe" -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/CatalogSearch/i18n/es_ES.csv b/app/code/Magento/CatalogSearch/i18n/es_ES.csv deleted file mode 100644 index c9c8f60cd7590..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/es_ES.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,Todo -"Are you sure?","Are you sure?" -No,No -Action,Action -Edit,Edit -Results,Resultados -Uses,Uses -Delete,Delete -Store,Store -Yes,Sí -Home,Inicio -Search,Buscar -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page","Ir a la página de inicio" -Grid,Parrilla -List,Lista -"Catalog Advanced Search","Búsqueda de catálogo avanzada" -Relevance,Relevancia -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.","Por favor especifica al menos un término de búsqueda." -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search","Catálogo de búsquedas" -"Rebuild Catalog product fulltext search index","Reconstruir Catálogo producto todoeltexto búsqueda índice" -"Please specify correct data.","Please specify correct data." -"Search Settings","Ajustes de búsqueda" -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.","No se encontraron productos usando estos criterios de búsqueda" -"Modify your search","Modificar la búsqueda" -name,name -"Don't see what you're looking for?","¿No encuentra lo que busca?" -"Search entire store here...","Buscar en toda la tienda..." -"Advanced Search","Búsqueda avanzada" -"Your search returns no results.","La búsqueda no da ningún resultado." -"There are no search terms available.","No hay términos de búsqueda disponibles." -"Popular Search Terms","Términos de búsqueda populares" -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/CatalogSearch/i18n/fr_FR.csv b/app/code/Magento/CatalogSearch/i18n/fr_FR.csv deleted file mode 100644 index ae1e24c38c073..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/fr_FR.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,Tous -"Are you sure?","Are you sure?" -No,Non -Action,Action -Edit,Edit -Results,Résultats -Uses,Uses -Delete,Delete -Store,Store -Yes,oui -Home,Accueil -Search,Rechercher -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page","Aller à la page d'accueil" -Grid,Grille -List,Liste -"Catalog Advanced Search","Recherche avancée du catalogue" -Relevance,Pertinence -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.","Veuillez spécifier au moins un terme de recherche." -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search","Index du catalogue" -"Rebuild Catalog product fulltext search index","Reconstruire le catalogue à partir de l'index de recherche" -"Please specify correct data.","Please specify correct data." -"Search Settings","Options de recherche" -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.","Aucun objet n'a été trouvé en utilisant les critères de recherche suivants." -"Modify your search","Modifier votre recherche" -name,name -"Don't see what you're looking for?","Vous ne trouvez pas ce que vous cherchez ?" -"Search entire store here...","Rechercher la boutique entière" -"Advanced Search","Recherche avancée" -"Your search returns no results.","Votre recherche ne renvoie aucun résultat." -"There are no search terms available.","Il n'y a pas de termes de recherche disponibles." -"Popular Search Terms","Termes souvent recherchés" -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/CatalogSearch/i18n/nl_NL.csv b/app/code/Magento/CatalogSearch/i18n/nl_NL.csv deleted file mode 100644 index ea1d9b8279987..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/nl_NL.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,Alle -"Are you sure?","Are you sure?" -No,Nee -Action,Action -Edit,Edit -Results,Resultaten -Uses,Uses -Delete,Delete -Store,Store -Yes,ja -Home,Thuis -Search,Zoekopdracht -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page","Ga naar homepage" -Grid,Stramien -List,Lijst -"Catalog Advanced Search","Geavanceerde catalogus zoekopdracht" -Relevance,Relevantie -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.","Specificeer a.u.b. ten minste één zoekterm" -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search","Catalogus zoekopdracht" -"Rebuild Catalog product fulltext search index","Bouw catalogus product volledige tekst zoek index opnieuw" -"Please specify correct data.","Please specify correct data." -"Search Settings","Zoek in instellingen" -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.","Er zijn geen producten gevonden toen de volgende zoekcriteria werden gebruikt" -"Modify your search","Bewerk uw zoekopdracht" -name,name -"Don't see what you're looking for?","Ziet u niet wat u zoekt?" -"Search entire store here...","Zoek in de gehele winkel hier..." -"Advanced Search","Geavanceerde zoekopdracht" -"Your search returns no results.","Uw zoekopdracht heeft geen resultaten opgeleverd." -"There are no search terms available.","Er zijn geen zoektermen beschikbaar" -"Popular Search Terms","Populaire zoektermen" -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/CatalogSearch/i18n/pt_BR.csv b/app/code/Magento/CatalogSearch/i18n/pt_BR.csv deleted file mode 100644 index d0e1f0759eb88..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/pt_BR.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,Todos -"Are you sure?","Are you sure?" -No,Não -Action,Action -Edit,Edit -Results,Resultados -Uses,Uses -Delete,Delete -Store,Store -Yes,Sim -Home,Início -Search,Pesquisa -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page","Ir para Página Inicial" -Grid,Grade -List,Lista -"Catalog Advanced Search","Pesquisa Avançada do Catálogo" -Relevance,Relevância -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.","Especifique ao menos um termo de pesquisa." -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search","Busca de Catálogo" -"Rebuild Catalog product fulltext search index","Reconstruir índice de pesquisa de texto completo de produto do catálogo" -"Please specify correct data.","Please specify correct data." -"Search Settings","Opções de pesquisa" -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.","Nenhum item foi encontrado utilizando o seguinte critério de pesquisa." -"Modify your search","Modifique sua pesquisa" -name,name -"Don't see what you're looking for?","Não vê o que você está procurando?" -"Search entire store here...","Pesquise toda a loja aqui..." -"Advanced Search","Pesquisa Avançada" -"Your search returns no results.","Sua busca não retornou resultados." -"There are no search terms available.","Não há termos de pesquisa disponíveis." -"Popular Search Terms","Termos populares de pesquisa" -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/CatalogSearch/i18n/zh_Hans_CN.csv b/app/code/Magento/CatalogSearch/i18n/zh_Hans_CN.csv deleted file mode 100644 index 42437a533bc1b..0000000000000 --- a/app/code/Magento/CatalogSearch/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,53 +0,0 @@ -All,全部 -"Are you sure?","Are you sure?" -No,否 -Action,Action -Edit,Edit -Results,结果 -Uses,Uses -Delete,Delete -Store,Store -Yes,是 -Home,主页 -Search,搜索 -"Search Query","Search Query" -"Redirect URL","Redirect URL" -"Go to Home Page",前往主页 -Grid,网格 -List,列表 -"Catalog Advanced Search",分类高级搜索 -Relevance,关联 -"Search results for: '%1'","Search results for: '%1'" -"Minimum Search query length is %1","Minimum Search query length is %1" -"Your search query can't be longer than %1, so we had to shorten your query.","Your search query can't be longer than %1, so we had to shorten your query." -"Sorry, but the maximum word count is %1. We left out this part of your search: %2.","Sorry, but the maximum word count is %1. We left out this part of your search: %2." -"Please specify at least one search term.",请至少指定一个搜索词。 -"%1 and greater","%1 and greater" -"up to %1","up to %1" -"Attribute setting change related with Search Index. Please run Rebuild Search Index process.","Attribute setting change related with Search Index. Please run Rebuild Search Index process." -"Catalog Search",分类搜索 -"Rebuild Catalog product fulltext search index",重建目录产品全文搜索索引 -"Please specify correct data.","Please specify correct data." -"Search Settings",搜索设置 -"%1 item were found using the following search criteria","%1 item were found using the following search criteria" -"%1 items were found using the following search criteria","%1 items were found using the following search criteria" -"No items were found using the following search criteria.",没有找到使用下列搜索条件的项目。 -"Modify your search",修改您的搜索 -name,name -"Don't see what you're looking for?",没看到您要找的东西? -"Search entire store here...",在这里搜索整个商店... -"Advanced Search",高级搜索 -"Your search returns no results.",您的搜索未找到结果。 -"There are no search terms available.",没有可用的搜索词 -"Popular Search Terms",热门搜索词 -"Minimal Query Length","Minimal Query Length" -"Maximum Query Length","Maximum Query Length" -"Maximum Query Words Count","Maximum Query Words Count" -"Applies for ""Like"" search type only","Applies for ""Like"" search type only" -"Search Type","Search Type" -"Apply Layered Navigation if Search Results are Less Than","Apply Layered Navigation if Search Results are Less Than" -"Enter ""0"" to enable layered navigation for any number of results.","Enter ""0"" to enable layered navigation for any number of results." -Synonym,Synonym -"Suggested Terms","Suggested Terms" -yes,yes -no,no diff --git a/app/code/Magento/Checkout/i18n/de_DE.csv b/app/code/Magento/Checkout/i18n/de_DE.csv deleted file mode 100644 index f604546621d38..0000000000000 --- a/app/code/Magento/Checkout/i18n/de_DE.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,Zurück -Price,Preis -"Shopping Cart",Einkaufswagen -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,Qty -Subtotal,Zwischensumme -"Excl. Tax","Steuer weglassen" -Total,Gesamtbetrag -"Incl. Tax","Steuer inkludieren" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Auf Wunschzettel schreiben" -"Edit item parameters","Artikelangaben ändern" -Edit,Bearbeiten -"Remove item","Artikel löschen" -Item,Item -"Unit Price",Einheitspreis -Loading...,Loading... -"* Required Fields","* Notwendige Felder" -Change,Ändern -"See price before order confirmation.","Preis vor Bestellbestätigung ansehen." -"What's this?","Was ist das?" -"1 item","1 item" -"%1 items","%1 items" -"Product Name","Product Name" -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart","Mein Einkaufswagen" -"New Address","Neue Adresse" -Country,Land -State/Province,Staat/Provinz -"Billing Information",Rechnungsinformation -"Checkout Method","Checkout Methode" -"Payment Information","Information zur Zahlung" -"Order Review",Bestellungsübersicht -"Shipping Information",Lieferungsinformation -"Shipping Method",Lieferungsart -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.","Der Bezahlvorgang mit nur einer Seite ist deaktiviert." -Checkout,Checkout -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.","Bitte Stimmen Sie allen Geschäftsbedingungen vor Auftragserteilung zu." -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.","Das Produkt existiert nicht." -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart","Anzahl der Artikel im Warenkorb anzeigen" -"Display item quantities","Artikelmengen anzeigen" -"Load customer quote error","Fehler bei Kundenpreisangabe laden" -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes",Rabattcodes -"Enter your code","Enter your code" -"Apply Coupon","Coupon anwenden" -"Cancel Coupon","Coupon abbrechen" -"Continue Shopping","Einkauf fortfahren" -"Update Shopping Cart","Einkaufswagen aktualisieren" -"Clear Shopping Cart","Einkaufswagen leeren" -"Update Cart","Einkaufswagen aktualisieren" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)","Kürzlich hinzugefügte Position(en)" -"You have no items in your shopping cart.","Sie haben keine Artikel in Ihrem Einkaufswagen." -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?","Sind Sie sicher, dass sie diesen Artikel aus Ihrem Warenkorb entfernen wollen?" -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax","Geschätzte Versandkosten und Steuern" -"Enter your destination to get a shipping estimate.","Geben Sie Ihren Standort an, um die geschätzten Versandkosten/dauer zu ermitteln." -"Please select region, state or province","Bitte Region, Staat oder Provinz auswählen" -City,Stadt -"Zip/Postal Code",Postleitzahl -"Get a Quote","Eine Preisangabe bekommen" -"Update Total","Gesamtsumme aktualisieren" -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item","Artikel ändern" -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...","Nächster Schritt wird geladen ..." -"Select a billing address from your address book or enter a new address.","Wählen Sie eine Rechnungsadresse aus ihrem Adressbuch oder geben Sie eine neue Adresse ein." -"Email Address",E-Mail-Adresse -Company,Firma -"VAT Number",MwSt.-Nummer -Address,Adresse -"Street Address",Adresse -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Passwort -"Confirm Password","Passwort bestätigen" -"Save in address book","Speichern im Adressbuch" -"Ship to this address","Versand an diese Adresse" -"Ship to different address","Versand an andere Adresse" -Continue,Fortsetzen -"Order #","Order #" -"Proceed to Checkout","Bestellung aufgeben" -Login,Einloggen -"Already registered?","Schon registriert?" -"Please log in below:","Bitte loggen Sie sich unten ein:" -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register","Checkout als Gast oder registrieren" -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account","Registrieren, um ein Konto zu erstellen" -"Register and save time!","Melden Sie sich an und sparen Sie Zeit!" -"Register with us for future convenience:","Melden Sie sich bei uns an für zukünftigen Komfort:" -"Fast and easy check out","Schnell und einfaches Checkout" -"Easy access to your order history and status","Schneller Zugriff auf Ihre Bestellungshistorie und Status" -"Checkout as Guest","Checkout als Gast" -Register,Registrieren -"No Payment Methods","No Payment Methods" -"Your Checkout Progress","Ihr Abmeldeverlauf" -"Billing Address",Rechnungsadresse -"Shipping Address",Lieferungsadresse -"Shipping method has not been selected yet","Versandart wurde noch nicht ausgewählt" -"Payment Method",Zahlungsart -"Place Order","Bestellung aufgeben" -"Forgot an Item?","Sie haben einen Artikel vergessen?" -"Edit Your Cart","Ihren Warenkorb bearbeiten" -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.","Wählen Sie eine Versandadresse aus ihrem Adressbuch oder geben sie eine neue Adresse ein." -"Use Billing Address","Rechnungsadresse verwenden" -"Sorry, no quotes are available for this order at this time.","Es tut uns Leid, es gibt derzeit keine Preisangabe für diese Bestellung." -"Thank you for your purchase!","Danke für Ihren Einkauf!" -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.","Sie erhalten eine eMail mit der Bestätigung Ihrer Bestellung und einem Link, um deren Verlauf verfolgen zu können." -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.","Bitte geben Sie die Zahlungsmethode an." -"Please agree to all Terms and Conditions before placing the orders.","Bitte stimmen Sie allen Geschäftsbedingungen vor Erteilung der Aufträge zu." -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.","Ihre Bestellung wurde erhalten." diff --git a/app/code/Magento/Checkout/i18n/es_ES.csv b/app/code/Magento/Checkout/i18n/es_ES.csv deleted file mode 100644 index 3c66daf827db3..0000000000000 --- a/app/code/Magento/Checkout/i18n/es_ES.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,Volver -Price,Precio -"Shopping Cart","Carro de la compra" -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,Qty -Subtotal,Subtotal -"Excl. Tax","Impuestos no incluidos" -Total,Total -"Incl. Tax","Impuestos incluidos" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Trasladar a la Lista de Deseos" -"Edit item parameters","Editar parámetros del artículo" -Edit,Editar -"Remove item","Eliminar artículo" -Item,Item -"Unit Price","Precio por unidad" -Loading...,Loading... -"* Required Fields","* Campos Requeridos" -Change,Cambio -"See price before order confirmation.","Ver precio antes de la confirmación del pedido." -"What's this?","¿Qué es esto?" -"1 item","1 item" -"%1 items","%1 items" -"Product Name","Product Name" -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart","Mi carrito" -"New Address","Nueva dirección" -Country,País -State/Province,Estado/Provincia -"Billing Information","Detalles de facturación" -"Checkout Method","Método de pedido" -"Payment Information","Información de pago" -"Order Review","Comentario del pedido" -"Shipping Information","Dirección de envío" -"Shipping Method","Método de envío" -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.","El pago por página está deshabilitado." -Checkout,Pedido -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.","Debe manifestar su conformidad con todos los términos y condiciones antes de hacer el pedido." -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.","El producto no existe." -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart","Mostrar número de artículos en el carro" -"Display item quantities","Mostrar cantidades de artículos" -"Load customer quote error","Error en la carga de cotización del cliente" -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes","Códigos de descuento" -"Enter your code","Enter your code" -"Apply Coupon","Aplicar cupón" -"Cancel Coupon","Cancelar cupón" -"Continue Shopping","Continuar comprando" -"Update Shopping Cart","Actualizar carrito de compras" -"Clear Shopping Cart","Vaciar carro de la compra" -"Update Cart","Actualizar carrito" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)","Elementos agregados recientemente" -"You have no items in your shopping cart.","No tiene artículos en su carrito de compras." -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?","¿Está seguro de que desea eliminar este artículo de la cesta de la compra?" -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax","Estimación de los costes de envío y tasas" -"Enter your destination to get a shipping estimate.","Introduzca un destino para obtener una estimación de los gastos de envío." -"Please select region, state or province","Por favor, seleccionar región, estado o provincia" -City,Ciudad -"Zip/Postal Code","Código Postal" -"Get a Quote","Obtener una cotización" -"Update Total","Actualizar total" -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item","Editar artículo" -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...","Cargando próximo paso..." -"Select a billing address from your address book or enter a new address.","Seleccione una dirección de facturación de su libreta de direcciones o ingrese una nueva." -"Email Address","Dirección de email" -Company,Compañía -"VAT Number","Número de IVA" -Address,Dirección -"Street Address",Calle -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Contraseña -"Confirm Password","Confirma Contraseña" -"Save in address book","Guardar en libreta de direcciones" -"Ship to this address","Enviar a esta dirección" -"Ship to different address","Enviar a distintas direcciones" -Continue,Continuar -"Order #","Order #" -"Proceed to Checkout","Continuar con la compra" -Login,Entrar -"Already registered?","¿Ya está registrado?" -"Please log in below:","Inicie sesión a continuación:" -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register","Pedido como invitado o registro" -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account","Registrarse para crear una cuenta" -"Register and save time!","Regístrese y ahorre tiempo." -"Register with us for future convenience:","Regístrese con nosotros para que sus futuras transacciones sean más cómodas:" -"Fast and easy check out","Pago sencillo" -"Easy access to your order history and status","Acceso rápido a su historial de pedidos y estado" -"Checkout as Guest","Pedido como invitado" -Register,Registrarse -"No Payment Methods","No Payment Methods" -"Your Checkout Progress","Progreso de su compra" -"Billing Address","Dirección de facturación" -"Shipping Address","Dirección de Envío" -"Shipping method has not been selected yet","Aun no se ha seleccionado un método de envío" -"Payment Method","Método de pago" -"Place Order","Hacer un pedido" -"Forgot an Item?","¿Olvidó un artículo?" -"Edit Your Cart","Editar carro" -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.","Seleccione una dirección de envío desde su libreta de direcciones o introduzca una nueva dirección." -"Use Billing Address","Utilizar dirección de facturación" -"Sorry, no quotes are available for this order at this time.","Lamentamos informarle que en este momento no hay cotizaciones disponibles para este pedido." -"Thank you for your purchase!","Gracias por su compra." -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.","Recibirá un mensaje de correo electrónico con los detalles de su pedido y un enlace para hacer un seguimiento de su progreso." -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.","Especifique el método de pago." -"Please agree to all Terms and Conditions before placing the orders.","Debe manifestar su conformidad con todos los términos y condiciones antes de hacer los pedidos." -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.","Se recibió su pedido." diff --git a/app/code/Magento/Checkout/i18n/fr_FR.csv b/app/code/Magento/Checkout/i18n/fr_FR.csv deleted file mode 100644 index 84f388d8db5a2..0000000000000 --- a/app/code/Magento/Checkout/i18n/fr_FR.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,Retour -Price,Prix -"Shopping Cart",Panier -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,Qty -Subtotal,Sous-total -"Excl. Tax","Taxe non comprise" -Total,Total -"Incl. Tax","Taxe comprise" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Mettre dans la liste d'idées cadeaux" -"Edit item parameters","Modifier les paramètres de l'objet" -Edit,Modifier -"Remove item","Supprimer l'objet" -Item,Item -"Unit Price","Prix unitaire" -Loading...,Loading... -"* Required Fields","* Champs obligatoires" -Change,Changer -"See price before order confirmation.","Voir le prix avant la confirmation de commande." -"What's this?","Qu'est-ce ?" -"1 item","1 item" -"%1 items","%1 items" -"Product Name","Product Name" -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart","Mon caddy" -"New Address","Nouvelle adresse" -Country,Pays -State/Province,Etat/pays -"Billing Information","Informations de facturation" -"Checkout Method","Méthode de paiement" -"Payment Information","Information paiement" -"Order Review","Révision de la commande" -"Shipping Information","Informations d'expédition" -"Shipping Method","Méthode d'expédition" -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.","L'encart pour passer la commande est désactivé." -Checkout,Paiement -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.","Veuillez agréer à tous les termes et conditions avant de passer commande." -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.","Le produit n'existe pas." -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart","Afficher le nombre d'objets dans le panier" -"Display item quantities","Afficher les quantités d'objets" -"Load customer quote error","Charger erreur devis client" -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes","Codes de réduction" -"Enter your code","Enter your code" -"Apply Coupon","Utiliser le coupon" -"Cancel Coupon","Annuler le coupon" -"Continue Shopping","Continuer les achats" -"Update Shopping Cart","Mettre à jour le panier" -"Clear Shopping Cart","Vider le panier" -"Update Cart","Mettre à jour le panier" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)","Objets ajoutés récemment" -"You have no items in your shopping cart.","Il n'y a aucun objet dans votre panier." -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?","Etes-vous sûr de vouloir supprimer cet objet de votre panier ?" -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax","Estimation du port et des taxes." -"Enter your destination to get a shipping estimate.","Entrez votre destination pour obtenir une estimation des frais de port." -"Please select region, state or province","Veuillez sélectionner la région, l'état et le pays" -City,Ville -"Zip/Postal Code","Code postal" -"Get a Quote","Obtenir une estimation" -"Update Total","Mettre à jour le total" -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item","Modifier l'objet" -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...","Chargement étape suivante..." -"Select a billing address from your address book or enter a new address.","Choisir une adresse de facturation depuis votre carnet d'adresses ou entrer une nouvelle adresse." -"Email Address","Adresse email" -Company,Société -"VAT Number","Numéro TVA" -Address,Adresse -"Street Address",Rue -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,"Mot de passe" -"Confirm Password","Confirmez le mot de passe" -"Save in address book","Sauvegarder dans le carnet d'adresses" -"Ship to this address","Envoyer à cette adresse" -"Ship to different address","Envoyer à une différente adresse" -Continue,Continuer -"Order #","Order #" -"Proceed to Checkout","Continuer le paiement" -Login,Identifiant -"Already registered?","Déjà enregistré ?" -"Please log in below:","Veuillez vous connecter ci-dessous :" -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register","Payer en tant qu'invité ou s'enregistrer" -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account","Inscrivez-vous pour créer un compte" -"Register and save time!","S'enregistre et gagner du temps !" -"Register with us for future convenience:","S'enregistrer pour plus de pratique" -"Fast and easy check out","Paiement rapide et facile." -"Easy access to your order history and status","Accès facile à votre historique de commandes et statut" -"Checkout as Guest","Payer en tant qu'invité" -Register,S'inscrire -"No Payment Methods","No Payment Methods" -"Your Checkout Progress","Progression du paiement" -"Billing Address","Adresse de facturation" -"Shipping Address","Adresse d'expédition" -"Shipping method has not been selected yet","Méthode d'expédition non sélectionnée" -"Payment Method","Méthode de paiement" -"Place Order","Passer la commande" -"Forgot an Item?","Oublié un objet ?" -"Edit Your Cart","Modifier votre panier" -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.","Choisir une adresse de facturation depuis votre carnet d'adresses ou entrer une nouvelle adresse." -"Use Billing Address","Utiliser l'adresse de facturation" -"Sorry, no quotes are available for this order at this time.","Désolé, aucune estimation n'est actuellement disponible pour cette commande." -"Thank you for your purchase!","Merci pour votre achat !" -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.","Vous recevrez un mail de confirmation de commande, puis un second mail vous permettant d'accéder au suivi du colis." -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.","Veuillez préciser une méthode de paiement." -"Please agree to all Terms and Conditions before placing the orders.","Veuillez agréer à tous les termes et conditions avant de passer les commandes." -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.","Votre commande a bien été reçue." diff --git a/app/code/Magento/Checkout/i18n/nl_NL.csv b/app/code/Magento/Checkout/i18n/nl_NL.csv deleted file mode 100644 index 99e59069beacd..0000000000000 --- a/app/code/Magento/Checkout/i18n/nl_NL.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,Terug -Price,prijs -"Shopping Cart",Winkelmandje -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,Qty -Subtotal,Subtotaal -"Excl. Tax","exclusief btw" -Total,totaal -"Incl. Tax","inclusief btw" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","ga naar verlanglijstje" -"Edit item parameters","Parameters van artikel bewerken" -Edit,Bewerk -"Remove item","Verwijder artikel" -Item,Item -"Unit Price","Prijs per stuk" -Loading...,Loading... -"* Required Fields","* Vereiste Velden" -Change,Wijzigen -"See price before order confirmation.","Zie prijs voor bevestiging van bestelling." -"What's this?","Wat is dit?" -"1 item","1 item" -"%1 items","%1 items" -"Product Name","Product Name" -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart","Mijn winkelwagen" -"New Address","Nieuw Adres" -Country,Land -State/Province,staat/provincie -"Billing Information",Betalingsinformatie -"Checkout Method",Betalingsmethode -"Payment Information",Betaalinformatie -"Order Review","Overzicht bestelling" -"Shipping Information",Verzendinformatie -"Shipping Method",Verzendwijze -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.","Afrekenen op een pagina is uitgeschakeld." -Checkout,Betalen -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.","Gelieve in te stemmen met de algemene voorwaarden voor het plaatsen van de bestelling." -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.","Het product bestaat niet." -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart","Toon het aantal items in de winkelwagen" -"Display item quantities","Toon item hoeveelheden" -"Load customer quote error","Laad klant prijsopgave fout" -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes",Kortingcodes -"Enter your code","Enter your code" -"Apply Coupon","Coupon gebruiken" -"Cancel Coupon","Coupon annuleren" -"Continue Shopping","Doorgaan met shoppen" -"Update Shopping Cart","Winkelwagen bijwerken" -"Clear Shopping Cart","Maak winkelwagen leeg" -"Update Cart","Mandje bijwerken" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)","Recent toegevoegde artikel(en)" -"You have no items in your shopping cart.","Uw winkelwagen bevat geen artikelen." -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?","Weet u zeker dat u dit artikel uit uw mandje wilt verwijderen?" -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax","Schat de verzendkosten en btw" -"Enter your destination to get a shipping estimate.","Voer uw bestemming in om een schatting van de verzendkosten te krijgen." -"Please select region, state or province","Selecteer alstublieft regio, staat of provincie" -City,Stad -"Zip/Postal Code",Postcode -"Get a Quote","Verkrijg een prijsopgave" -"Update Total","Totaal bijwerken" -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item","Artikel bewerken" -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...","De volgende stap wordt geladen..." -"Select a billing address from your address book or enter a new address.","Selecteer een factuuradres uit uw adresboek of voer een nieuw adres in." -"Email Address","E-mail adres" -Company,Bedrijf -"VAT Number","BTW nummer" -Address,Adres -"Street Address","Straat Adres" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Wachtwoord -"Confirm Password","Bevestig Wachtwoord" -"Save in address book","Opslaan in adresboek" -"Ship to this address","Verzend naar dit adres" -"Ship to different address","Verzend naar ander adres" -Continue,Doorgaan -"Order #","Order #" -"Proceed to Checkout","Doorgaan naar Kassa" -Login,"log in" -"Already registered?","Bent u al geregistreerd?" -"Please log in below:","Gelieve hieronder aanmelden:" -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register","Betalen als een gast of registreren" -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account","Registreer om een Account aan te maken" -"Register and save time!","Registreer en bespaar tijd!" -"Register with us for future convenience:","Registreer bij ons voor gemak in de toekomst:" -"Fast and easy check out","Snel en makkelijk afrekenen" -"Easy access to your order history and status","Makkelijke toegang tot uw bestelgeschiedenis en -status" -"Checkout as Guest","Als een gast uitchecken" -Register,Registreer -"No Payment Methods","No Payment Methods" -"Your Checkout Progress","Uw betalingsvoortgang" -"Billing Address",Factuuradres -"Shipping Address","Ontvangst Adres" -"Shipping method has not been selected yet","Verzendwijze is nog niet geselecteerd" -"Payment Method",Betaalwijze -"Place Order","Bestelling plaatsen" -"Forgot an Item?","Een item vergeten?" -"Edit Your Cart","Bewerk uw winkelwagen" -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.","Selecteer een verzendadres vanuit uw adresboek of geef een nieuw e-mailadres in" -"Use Billing Address","Factuuradres gebruiken" -"Sorry, no quotes are available for this order at this time.","Sorry, op dit moment zijn er geen offertes beschikbaar voor deze bestelling." -"Thank you for your purchase!","Bedankt voor uw aankoop!" -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.","U ontvangt een email met de bevestiging van uw bestelling en een link om uw zending te volgen." -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.","Geef wijze van betaling aan" -"Please agree to all Terms and Conditions before placing the orders.","Gelieve in te stemmen met de Algemene Voorwaarden voor het plaatsen van de bestellingen." -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.","Uw bestelling is ontvangen." diff --git a/app/code/Magento/Checkout/i18n/pt_BR.csv b/app/code/Magento/Checkout/i18n/pt_BR.csv deleted file mode 100644 index 3262a6a301b51..0000000000000 --- a/app/code/Magento/Checkout/i18n/pt_BR.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,Voltar -Price,Preço -"Shopping Cart","Carrinho de compras" -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,Qty -Subtotal,Subtotal -"Excl. Tax","Excluir taxas" -Total,Total -"Incl. Tax","Incluir taxas" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Mover para lista de presentes" -"Edit item parameters","Editar parâmetros de item" -Edit,Editar -"Remove item","Remover item" -Item,Item -"Unit Price","Preço Unitário" -Loading...,Loading... -"* Required Fields","* Campos obrigatórios" -Change,Mudar -"See price before order confirmation.","Ver preço antes de confirmar pedido." -"What's this?","O que é isso?" -"1 item","1 item" -"%1 items","%1 items" -"Product Name","Product Name" -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart","Meu Carrinho" -"New Address","Novo Endereço" -Country,País -State/Province,Estado/Província -"Billing Information","Dados de Faturamento" -"Checkout Method","Método para Encerrar Compra" -"Payment Information","Informação de Pagamento" -"Order Review","Revisão da Ordem" -"Shipping Information","Dados de Frete" -"Shipping Method","Tipo de Frete" -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.","O checkout de uma página está desativado." -Checkout,"Encerrar Compra" -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.","Por favor concorde com todos os Termos e Condições antes de colocar a ordem." -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.","O produto não existe." -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart","Exibir número de itens no carrinho" -"Display item quantities","Exibir quantidades do item" -"Load customer quote error","Carregar erro de orçamento do cliente" -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes","Códigos de Desconto" -"Enter your code","Enter your code" -"Apply Coupon","Aplicar Coupon" -"Cancel Coupon","Cancelar Cupom" -"Continue Shopping","Continuar Comprando" -"Update Shopping Cart","Atualização do Carrinho de Compras" -"Clear Shopping Cart","Limpar Carrinho de Compras" -"Update Cart","Atualizar Carrinho" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)","Item(ns) adicionado(s) recentemente" -"You have no items in your shopping cart.","Você não possui itens no carrinho de compras." -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?","Tem certeza de que deseja remover este item do carrinho de compras?" -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax","Cálculo Estimado de Frete e Imposto" -"Enter your destination to get a shipping estimate.","Informe seu destino, para cálculo estimado do frete." -"Please select region, state or province","Selecione a região, estado ou província" -City,Cidade -"Zip/Postal Code","Zip/Código Postal" -"Get a Quote","Receber Orçamento" -"Update Total","Atualizar Total" -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item","Editar Item" -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...","Carregando próximo passo..." -"Select a billing address from your address book or enter a new address.","Selecione um endereço de cobrança de seu catálogo de endereços ou insira um novo endereço" -"Email Address","Endereço de e-mail" -Company,Companhia -"VAT Number","Número VAT" -Address,Endereço -"Street Address","Endereço da Rua" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Senha -"Confirm Password","Confirmar a senha" -"Save in address book","Salvar no catálogo de endereços" -"Ship to this address","Enviar para este endereço" -"Ship to different address","Enviar para endereço diferente" -Continue,Continue -"Order #","Order #" -"Proceed to Checkout","Prosseguir para a verificação" -Login,Conectar-se -"Already registered?","Já está registado?" -"Please log in below:","Por favor, faça o login abaixo:" -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register","Checkout como um Visitante ou se Registe" -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account","Cadastre-se para Criar uma Conta" -"Register and save time!","Cadastre-se e poupe tempo!" -"Register with us for future convenience:","Faça um cadastro conosco para ter comodidade no futuro:" -"Fast and easy check out","Checkout rápido e fácil" -"Easy access to your order history and status","Fácil acesso ao seu histórico de pedidos e estado" -"Checkout as Guest","Checkout como Visitante" -Register,Registrar -"No Payment Methods","No Payment Methods" -"Your Checkout Progress","Progresso de seu Pagamento" -"Billing Address","Endereço de faturamento" -"Shipping Address","Endereço de Envio" -"Shipping method has not been selected yet","Método de envio ainda não foi selecionado" -"Payment Method","Método de Pagamento" -"Place Order","Colocar Ordem" -"Forgot an Item?","Esqueceu algum item?" -"Edit Your Cart","Editar Seu Carrinho" -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.","Selecione um endereço para envio do seu livro de endereços ou insira um novo endereço." -"Use Billing Address","Use Endereço de Cobrança" -"Sorry, no quotes are available for this order at this time.","Desculpe, não há citações disponíveis neste momento para esta ordem." -"Thank you for your purchase!","Obrigado por sua compra!" -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.","Você irá receber um e-mail de confirmação de pedido com detalhes de seu pedido e um link para acompanhar o progresso." -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.","Por favor especifique o método de pagamento." -"Please agree to all Terms and Conditions before placing the orders.","Por favor concorde com todos os Termos e Condições antes de colocar as ordens." -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.","Seu pedido foi recebido." diff --git a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv b/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv deleted file mode 100644 index e7d99aa2b4dfc..0000000000000 --- a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,179 +0,0 @@ -Remove,Remove -Back,返回 -Price,价格 -"Shopping Cart",购物车 -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -"The coupon code ""%1"" is not valid.","The coupon code ""%1"" is not valid." -"Shopping Cart Items","Shopping Cart Items" -Qty,数量 -Subtotal,小计 -"Excl. Tax",不含税 -Total,总数 -"Incl. Tax",含税 -"Total incl. tax","Total incl. tax" -"Move to Wishlist",移动到愿望清单 -"Edit item parameters",编辑项目参数 -Edit,编辑 -"Remove item",删除项目 -Item,Item -"Unit Price",单价 -Loading...,Loading... -"* Required Fields",*必要字段 -Change,更改 -"See price before order confirmation.",确认订单前显示价格。 -"What's this?",这是什么? -"1 item","1 item" -"%1 items","%1 items" -"Product Name",产品名 -"Invalid method: %1","Invalid method: %1" -"My Cart (1 item)","My Cart (1 item)" -"My Cart (%1 items)","My Cart (%1 items)" -"My Cart",我的购物车 -"New Address",新地址 -Country,国家 -State/Province,州/省 -"Billing Information",账单信息 -"Checkout Method",支付方法 -"Payment Information",支付信息 -"Order Review",订单总览 -"Shipping Information",运送信息 -"Shipping Method",运送方式 -"Minimum order amount is %1","Minimum order amount is %1" -"We cannot add this item to your shopping cart","We cannot add this item to your shopping cart" -"We can't find the quote item.","We can't find the quote item." -"We cannot configure the product.","We cannot configure the product." -"%1 was updated in your shopping cart.","%1 was updated in your shopping cart." -"We cannot update the item.","We cannot update the item." -"We cannot update the shopping cart.","We cannot update the shopping cart." -"We cannot remove the item.","We cannot remove the item." -"The coupon code ""%1"" was applied.","The coupon code ""%1"" was applied." -"The coupon code was canceled.","The coupon code was canceled." -"We cannot apply the coupon code.","We cannot apply the coupon code." -"The onepage checkout is disabled.",单页面结账已被禁用。 -Checkout,结账 -"Unable to set Payment Method","Unable to set Payment Method" -"Please agree to all the terms and conditions before placing the order.",请在下订单前同意所有的条款和条件。 -"Something went wrong processing your order. Please try again later.","Something went wrong processing your order. Please try again later." -"We can't find the product.","We can't find the product." -"The product does not exist.",产品不存在。 -"We don't have some of the products you want.","We don't have some of the products you want." -"We don't have as many of some products as you want.","We don't have as many of some products as you want." -"Quantity was recalculated from %1 to %2","Quantity was recalculated from %1 to %2" -"Some products quantities were recalculated because of quantity increment mismatch.","Some products quantities were recalculated because of quantity increment mismatch." -"This quote item does not exist.","This quote item does not exist." -"Display number of items in cart",显示购物车中项目的数量 -"Display item quantities",显示项目数量 -"Load customer quote error",载入客户报价错误 -"Invalid data","Invalid data" -"The customer address is not valid.","The customer address is not valid." -"There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account.","There is already a registered customer using this email address. Please log in using this email address or enter a different email address to register your account." -"Password and password confirmation are not equal.","Password and password confirmation are not equal." -"Invalid shipping method","Invalid shipping method" -"There are more than one shipping address.","There are more than one shipping address." -"Sorry, guest checkout is not enabled.","Sorry, guest checkout is not enabled." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -"Discount Codes",折扣代码 -"Enter your code","Enter your code" -"Apply Coupon",应用优惠券 -"Cancel Coupon",取消优惠券 -"Continue Shopping",继续购物 -"Update Shopping Cart",更新购物车 -"Clear Shopping Cart",清空购物车 -"Update Cart",更新购物车 -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Items in Cart","Items in Cart" -"Recently added item(s)",最近添加的项目 -"You have no items in your shopping cart.",您的购物车内没有物品。 -"Order total will be displayed before you submit the order","Order total will be displayed before you submit the order" -"Cart Subtotal","Cart Subtotal" -"View cart","View cart" -"Are you sure you would like to remove this item from the shopping cart?",您确认要从购物车中删除该项目吗? -"Click here to continue shopping.","Click here to continue shopping." -"Estimate Shipping and Tax",预计运费和税费 -"Enter your destination to get a shipping estimate.",输入您的目的地来获得预计运送信息。 -"Please select region, state or province",请选择地区、州,或省 -City,城市 -"Zip/Postal Code",邮政编码 -"Get a Quote",获得报价 -"Update Total",更新总额 -"View Details","View Details" -"Options Details","Options Details" -Total:,Total: -"Edit item",编辑项目 -"You will see the order total before you submit the order.","You will see the order total before you submit the order." -"Loading next step...",正在载入下一步... -"Select a billing address from your address book or enter a new address.",从您的地址簿选择账单地址,或输入新地址。 -"Email Address",编辑电子邮件地址 -Company,公司 -"VAT Number","VAT 编号" -Address,地址 -"Street Address",街道地址 -"Street Address %1","Street Address %1" -Telephone,电话 -Fax,传真 -Password,密码 -"Confirm Password",确认密码 -"Save in address book",保存到地址簿 -"Ship to this address",送货到这个地址 -"Ship to different address",送货到不同地址 -Continue,继续 -"Order #","订单 #" -"Proceed to Checkout",进行结账 -Login,登录 -"Already registered?",已注册? -"Please log in below:",请在下面登录: -"Forgot Your Password?","Forgot Your Password?" -"Checkout as a Guest or Register",以来宾身份结账或注册 -"Checkout as a Guest","Checkout as a Guest" -"Register to Create an Account",注册以创建帐户 -"Register and save time!",注册并节约时间! -"Register with us for future convenience:",在这里注册以后可以更方便: -"Fast and easy check out",方便快捷的结账 -"Easy access to your order history and status",轻松访问您的订单历史记录和状态 -"Checkout as Guest",作为来宾结账 -Register,注册 -"No Payment Methods","No Payment Methods" -"Your Checkout Progress",您的结帐流程 -"Billing Address",账单地址 -"Shipping Address",送货地址 -"Shipping method has not been selected yet",运送方式尚未被选择 -"Payment Method",支付方式 -"Place Order",下订单 -"Forgot an Item?",忘记某个项目? -"Edit Your Cart",编辑您的购物车 -"Your credit card will be charged for","Your credit card will be charged for" -"Select a shipping address from your address book or enter a new address.",从您的地址簿选择发货地址,或输入新地址。 -"Use Billing Address",使用账单地址 -"Sorry, no quotes are available for this order at this time.",抱歉,当前该订单中没有报价可用。 -"Thank you for your purchase!",感谢您的购买! -"Your order # is: %1.","Your order # is: %1." -"You will receive an order confirmation email with details of your order and a link to track its progress.",您将会收到一份内含订单详细信息和可查询进展情况链接的确认邮件 -"Click here to print a copy of your order confirmation.","Click here to print a copy of your order confirmation." -"Please specify a shipping method.","Please specify a shipping method." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Please specify payment method.",请指定支付方式。 -"Please agree to all Terms and Conditions before placing the orders.",请在下订单前同意所有的条款和条件。 -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -"Checkout Options","Checkout Options" -"Enable Onepage Checkout","Enable Onepage Checkout" -"Allow Guest Checkout","Allow Guest Checkout" -"Require Customer To Be Logged In To Checkout","Require Customer To Be Logged In To Checkout" -"Quote Lifetime (days)","Quote Lifetime (days)" -"After Adding a Product Redirect to Shopping Cart","After Adding a Product Redirect to Shopping Cart" -"My Cart Link","My Cart Link" -"Display Cart Summary","Display Cart Summary" -"Shopping Cart Sidebar","Shopping Cart Sidebar" -"Display Shopping Cart Sidebar","Display Shopping Cart Sidebar" -"Maximum Display Recently Added Item(s)","Maximum Display Recently Added Item(s)" -"Payment Failed Emails","Payment Failed Emails" -"Payment Failed Email Sender","Payment Failed Email Sender" -"Payment Failed Email Receiver","Payment Failed Email Receiver" -"Payment Failed Template","Payment Failed Template" -"Send Payment Failed Email Copy To","Send Payment Failed Email Copy To" -"Separate by "","".","Separate by "",""." -"Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" -"Your order has been received.",我们已经收到您的订单。 diff --git a/app/code/Magento/CheckoutAgreements/i18n/de_DE.csv b/app/code/Magento/CheckoutAgreements/i18n/de_DE.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/de_DE.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/CheckoutAgreements/i18n/es_ES.csv b/app/code/Magento/CheckoutAgreements/i18n/es_ES.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/es_ES.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/CheckoutAgreements/i18n/fr_FR.csv b/app/code/Magento/CheckoutAgreements/i18n/fr_FR.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/fr_FR.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/CheckoutAgreements/i18n/nl_NL.csv b/app/code/Magento/CheckoutAgreements/i18n/nl_NL.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/nl_NL.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/CheckoutAgreements/i18n/pt_BR.csv b/app/code/Magento/CheckoutAgreements/i18n/pt_BR.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/pt_BR.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/CheckoutAgreements/i18n/zh_Hans_CN.csv b/app/code/Magento/CheckoutAgreements/i18n/zh_Hans_CN.csv deleted file mode 100644 index 64927202823e9..0000000000000 --- a/app/code/Magento/CheckoutAgreements/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,32 +0,0 @@ -ID,ID -Status,Status -Disabled,Disabled -Enabled,Enabled -"Store View","Store View" -Content,Content -Text,Text -"Terms and Conditions","Terms and Conditions" -"Add New Condition","Add New Condition" -"Save Condition","Save Condition" -"Delete Condition","Delete Condition" -"Edit Terms and Conditions","Edit Terms and Conditions" -"New Terms and Conditions","New Terms and Conditions" -"Terms and Conditions Information","Terms and Conditions Information" -"Condition Name","Condition Name" -"Show Content as","Show Content as" -HTML,HTML -"Checkbox Text","Checkbox Text" -"Content Height (css)","Content Height (css)" -"Content Height","Content Height" -Condition,Condition -"This condition no longer exists.","This condition no longer exists." -"New Condition","New Condition" -"Edit Condition","Edit Condition" -"The condition has been saved.","The condition has been saved." -"Something went wrong while saving this condition.","Something went wrong while saving this condition." -"The condition has been deleted.","The condition has been deleted." -"Something went wrong while deleting this condition.","Something went wrong while deleting this condition." -Sales,Sales -"Checkout Conditions","Checkout Conditions" -"Checkout Terms and Conditions","Checkout Terms and Conditions" -"Enable Terms and Conditions","Enable Terms and Conditions" diff --git a/app/code/Magento/Cms/i18n/de_DE.csv b/app/code/Magento/Cms/i18n/de_DE.csv deleted file mode 100644 index e3dc8b9b189c6..0000000000000 --- a/app/code/Magento/Cms/i18n/de_DE.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,ID -Action,Aktion -"Delete File","Datei löschen" -"-- Please Select --","-- Please Select --" -"Custom Design","Eigene Gestaltung" -"Block Information",Blockinformation -Status,Status -Disabled,Deaktiviert -Enabled,Aktiviert -"Save and Continue Edit","Save and Continue Edit" -Title,Titel -"URL Key","URL Schlüssel" -"Store View",Store-Ansicht -Description,Beschreibung -Home,Startseite -"Browse Files...","Browse Files..." -Content,Inhalt -"General Information","Allgemeine Information" -"Go to Home Page","Zur Startseite gehen" -px.,px. -"Collapse All","Alle einklappen" -"Expand All","Alle ausklappen" -"Static Blocks","Statische Blöcke" -"Add New Block","Neuen Block hinzufügen" -"Save Block","Block speichern" -"Delete Block","Block löschen" -"Edit Block '%1'","Edit Block '%1'" -"New Block","Neuer Block" -"Block Title",Blocktitel -Identifier,Bezeichner -"Manage Pages","Seiten verwalten" -"Add New Page","Neue Seite hinzufügen" -"Save Page","Seite speichern" -"Delete Page","Seite löschen" -"Edit Page '%1'","Edit Page '%1'" -"New Page","Neue Seite" -"Content Heading",Contentheading -"Page Layout",Seitenlayout -Layout,Layout -"Layout Update XML","Layout Update XML" -"Custom Design From","Eigene Gestaltung von" -"Custom Design To","Eigene Gestaltung bis" -"Custom Theme","Eigenes Theme" -"Custom Layout","Eigenes Layout" -"Custom Layout Update XML","Eigenes Layout Update XML" -Design,Gestaltung -"Page Information",Seiteninformation -"Page Title",Seitentitel -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status",Seitenstatus -"Meta Data",Metadaten -Keywords,Schlüsselwörter -"Meta Keywords",Metaschlüsselwörter -"Meta Description",Metabeschreibung -Created,Created -Modified,Modified -Preview,Preview -"Media Storage",Medienspeicher -"Create Folder...","Ordner anlegen…" -"Delete Folder","Ordner löschen" -"Insert File","Datei einfügen" -"New Folder Name:","Neuer Ordner Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root","Speicher Root" -CMS,CMS -Blocks,Blocks -"This block no longer exists.","Dieser Block existiert nicht mehr." -"Edit Block","Block bearbeiten" -"The block has been saved.","Der Block wurde gespeichert." -"The block has been deleted.","Der Block wurde gelöscht." -"We can't find a block to delete.","We can't find a block to delete." -Pages,Seiten -"This page no longer exists.","Diese Seite existiert nicht mehr." -"Edit Page","Seite bearbeiten" -"The page has been saved.","Die Seite wurde gespeichert." -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.","Die Seite wurde gelöscht." -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default",Standard-Aktivierung -"Disabled by Default",Standard-Deaktivierung -"Disabled Completely","Komplett deaktiviert" -"A block identifier with the same properties already exists in the selected store.","Ein Block Bezeichner mit denselben Eigenschaften existiert bereits in dem ausgewählten Store." -"A page URL key for specified store already exists.","Ein Seiten URL Key für den angegebenen Store existiert bereits." -"The page URL key contains capital letters or disallowed symbols.","Die URL dieser Seite enthält Großbuchstaben oder unerlaubte Symbole." -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found","Keine Dateien gefunden" -Block,Block -Template,Vorlage -"Anchor Custom Text","Anchor eigener Text" -"Anchor Custom Title","Anchor eigener Titel" -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","CMS Seitenlink" -"Link to a CMS Page","Link zu einer CMS Seite" -"CMS Page","CMS Seite" -"If empty, the Page Title will be used","Falls leer, wird der Seitentitel verwendet" -"CMS Page Link Block Template","CMS Seitenlink Blockvorlage" -"CMS Page Link Inline Template","CMS Seitenlink Inlinevorlage" -"CMS Static Block","CMS statischer Block" -"Contents of a Static Block","Inhalte eines statischen Blocks" -"CMS Static Block Default Template","CMS statischer Block Standardvorlage" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Cms/i18n/es_ES.csv b/app/code/Magento/Cms/i18n/es_ES.csv deleted file mode 100644 index 62584b6799530..0000000000000 --- a/app/code/Magento/Cms/i18n/es_ES.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,ID -Action,Acción -"Delete File","Borrar Archivo" -"-- Please Select --","-- Please Select --" -"Custom Design","Diseño Personalizado" -"Block Information","Información de bloque" -Status,Estado -Disabled,Deshabilitado -Enabled,Habilitado -"Save and Continue Edit","Save and Continue Edit" -Title,Título -"URL Key","Clave URL" -"Store View","Ver Tienda" -Description,Descripción -Home,Inicio -"Browse Files...","Browse Files..." -Content,Contenido -"General Information","Información general" -"Go to Home Page","Ir a la página de inicio" -px.,px. -"Collapse All","Desplegar Todo" -"Expand All","Expandir todo" -"Static Blocks","Bloques estáticos" -"Add New Block","Añadir nuevo bloque" -"Save Block","Guardar bloque" -"Delete Block","Borrar Bloque" -"Edit Block '%1'","Edit Block '%1'" -"New Block","Nuevo bloque" -"Block Title","Título de bloque" -Identifier,Identificador -"Manage Pages","Administrar páginas" -"Add New Page","Añadir nueva página" -"Save Page","Guardar página" -"Delete Page","Borrar Página" -"Edit Page '%1'","Edit Page '%1'" -"New Page","Nueva Página" -"Content Heading","Cabecera de Contenido" -"Page Layout","Diseño de página" -Layout,Diseño -"Layout Update XML","XML para actualización de diseño" -"Custom Design From","Diseño personalizado desde" -"Custom Design To","Diseño personalizado a" -"Custom Theme","Tema personalizado" -"Custom Layout","Diseño Personalizado" -"Custom Layout Update XML","Actualización diseño personalizado XML" -Design,Diseño -"Page Information","Información de la página" -"Page Title","Título de la página" -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status","Estado de la página" -"Meta Data",Metadatos -Keywords,"Palabras clave" -"Meta Keywords","Meta palabras clave" -"Meta Description",Metadescipción -Created,Created -Modified,Modified -Preview,Preview -"Media Storage","Almacenamiento de objetos multimedia" -"Create Folder...","Crear Carpeta ..." -"Delete Folder","Borrar Carpeta" -"Insert File","Añadir Fichero" -"New Folder Name:","Nombre de la nueva carpeta" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root","Raíz de almacenamiento" -CMS,CMS -Blocks,Blocks -"This block no longer exists.","Este bloque ya no existe." -"Edit Block","Editar bloque" -"The block has been saved.","Se guardó el bloque." -"The block has been deleted.","Se eliminó el bloque." -"We can't find a block to delete.","We can't find a block to delete." -Pages,Páginas -"This page no longer exists.","Esta página ya no existe." -"Edit Page","Editar Página" -"The page has been saved.","Se guardó la página." -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.","Se eliminó la página." -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default","Habilitado por defecto" -"Disabled by Default","Deshabilitado por defecto" -"Disabled Completely","Desactivar completamente" -"A block identifier with the same properties already exists in the selected store.","Ya existe un identificador de bloque con las mismas propiedades en la tienda seleccionada." -"A page URL key for specified store already exists.","Ya existe una clave de página URL para la tienda especificada." -"The page URL key contains capital letters or disallowed symbols.","El URL de la página contiene letras mayúsculas o símbolos no permitidos." -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found","No se encontraron archivos" -Block,Bloque -Template,Plantilla -"Anchor Custom Text","Texto personalizado del delimitador" -"Anchor Custom Title","Título personalizado del delimitador" -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","Enlace de página CMS" -"Link to a CMS Page","Enlace a una página de CMS" -"CMS Page","Página CMS" -"If empty, the Page Title will be used","Si se deja vacío, se usará elTítulo de la Página" -"CMS Page Link Block Template","Plantilla en bloque de la página de enlaces del CMS" -"CMS Page Link Inline Template","Plantilla en línea de la página de enlaces del CMS" -"CMS Static Block","Bloque estático CMS" -"Contents of a Static Block","Cotenidos de un bloque estático" -"CMS Static Block Default Template","Tema por defecto del bloque estático CMS" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Cms/i18n/fr_FR.csv b/app/code/Magento/Cms/i18n/fr_FR.csv deleted file mode 100644 index 92e0c3ab029d7..0000000000000 --- a/app/code/Magento/Cms/i18n/fr_FR.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,ID -Action,Action -"Delete File","Supprimer fichier" -"-- Please Select --","-- Please Select --" -"Custom Design","Dessin sur mesure" -"Block Information","Bloquer l'information" -Status,Statut -Disabled,Désactivé -Enabled,Activé -"Save and Continue Edit","Save and Continue Edit" -Title,Titre -"URL Key","Clé de l'URL" -"Store View","Vue du magasin" -Description,Description -Home,Accueil -"Browse Files...","Browse Files..." -Content,Contenu -"General Information","Informations générales" -"Go to Home Page","Aller à la page d'accueil" -px.,px. -"Collapse All","Afficher tout" -"Expand All","Tout afficher" -"Static Blocks","Blocs statiques" -"Add New Block","Ajouter nouveau bloc" -"Save Block","Sauvegarder le bloc" -"Delete Block","Supprimer bloc" -"Edit Block '%1'","Edit Block '%1'" -"New Block","Nouveau bloc" -"Block Title","Titre du bloc" -Identifier,Identificateur -"Manage Pages","Gérer les pages" -"Add New Page","Ajouter nouvelle page" -"Save Page","Sauvegarder la page" -"Delete Page","Supprimer page" -"Edit Page '%1'","Edit Page '%1'" -"New Page","Nouvelle page" -"Content Heading","Titre du contenu" -"Page Layout","Disposition de la page" -Layout,Disposition -"Layout Update XML","Mise à jour XML de la disposition" -"Custom Design From","Design personnalisé de" -"Custom Design To","Design personnalisé à" -"Custom Theme","Thème personnalisé" -"Custom Layout","Disposition personnalisée" -"Custom Layout Update XML","Mise à jour XML de la disposition personnalisée" -Design,Design -"Page Information","Informations de la page" -"Page Title","Titre de la page" -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status","Statut de la page" -"Meta Data",méta-données -Keywords,"Mots clés" -"Meta Keywords","Méta-mots clés" -"Meta Description",Méta-description -Created,Created -Modified,Modified -Preview,Preview -"Media Storage","Stockage des médias" -"Create Folder...","Créer dossier ..." -"Delete Folder","Supprimer dossier" -"Insert File","Insérer un fichier" -"New Folder Name:","Nouveau nom de dossier :" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root","Racine du stockage" -CMS,CMS -Blocks,Blocks -"This block no longer exists.","Ce bloc n'existe plus." -"Edit Block","Modifier bloc" -"The block has been saved.","Le bloc a été sauvegardé." -"The block has been deleted.","Le bloc a été supprimé." -"We can't find a block to delete.","We can't find a block to delete." -Pages,Pages -"This page no longer exists.","Cette page n'existe plus." -"Edit Page","Modifier page" -"The page has been saved.","La page a été sauvegardée." -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.","La page a été supprimée." -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default","Activé par défaut" -"Disabled by Default","Désactivé par défaut" -"Disabled Completely","Entièrement désactivé" -"A block identifier with the same properties already exists in the selected store.","Un identificateur de blocs existe déjà avec la même boutique sélectionnée." -"A page URL key for specified store already exists.","Une clé d'URL de la page pour la boutique spécifiée existe déjà." -"The page URL key contains capital letters or disallowed symbols.","L'URL de la page contient des lettres capitales ou des symboles non autorisés." -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found","Aucun fichier trouvé" -Block,Bloc -Template,"Modèle visuel" -"Anchor Custom Text","Fixer texte personnalisé" -"Anchor Custom Title","Fixer titre personnalisé" -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","Lien de la page du CMS" -"Link to a CMS Page","Lien vers une page CMS" -"CMS Page","Page du CMS" -"If empty, the Page Title will be used","Si vide, le titre de la page sera utilisé" -"CMS Page Link Block Template","Modèle de lien vers la page de CMS" -"CMS Page Link Inline Template","Modèle de la ligne du lien vers la page du CMS" -"CMS Static Block","Bloc statique du CMS" -"Contents of a Static Block","Contenu des blocs statiques" -"CMS Static Block Default Template","Modèle de bloc statique par défaut du CMS" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Cms/i18n/nl_NL.csv b/app/code/Magento/Cms/i18n/nl_NL.csv deleted file mode 100644 index ef34949cc0eb9..0000000000000 --- a/app/code/Magento/Cms/i18n/nl_NL.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,ID -Action,Actie -"Delete File","Verwijder bestand" -"-- Please Select --","-- Please Select --" -"Custom Design","Aangepast ontwerp" -"Block Information",Blokkeerinformatie -Status,Status -Disabled,Uitgeschakeld -Enabled,"Werkzaam gemaakt" -"Save and Continue Edit","Save and Continue Edit" -Title,Titel -"URL Key","URL sleutel" -"Store View",Winkelweergave -Description,Omschrijving -Home,Thuis -"Browse Files...","Browse Files..." -Content,Inhoud -"General Information","Algemene informatie" -"Go to Home Page","Ga naar homepage" -px.,px. -"Collapse All","Vouw allen in" -"Expand All","Klap allen uit" -"Static Blocks","Statische blokken" -"Add New Block","Voeg nieuw blok toe." -"Save Block","Sla blok op" -"Delete Block","Verwijder blok" -"Edit Block '%1'","Edit Block '%1'" -"New Block","Nieuw blok" -"Block Title",Blokkeertitel -Identifier,Identificeerder -"Manage Pages","beheer pagina's" -"Add New Page","Voeg nieuwe pagina toe" -"Save Page","Sla pagina op" -"Delete Page","Verwijder pagina" -"Edit Page '%1'","Edit Page '%1'" -"New Page","Nieuwe pagina" -"Content Heading","Inhoud hoofd" -"Page Layout","Pagina layout" -Layout,layout -"Layout Update XML","layout update XML" -"Custom Design From","Aangepast ontwerp formulier" -"Custom Design To","Aangepast ontwerp naar" -"Custom Theme","Aangepast thema" -"Custom Layout","Aangepaste layout" -"Custom Layout Update XML","Aangepaste layout vernieuwing XML" -Design,Ontwerp -"Page Information","Pagina informatie" -"Page Title","Pagina titel" -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status","Pagina status" -"Meta Data","Meta data" -Keywords,sleutelwoorden -"Meta Keywords","Meta sleutelwoorden" -"Meta Description","Meta omschrijving" -Created,Created -Modified,Modified -Preview,Preview -"Media Storage","Media opslag" -"Create Folder...","Maak map..." -"Delete Folder","Verwijder map" -"Insert File","Voeg bestand in" -"New Folder Name:","Nieuwe mapnaam:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root","Opslag wortel" -CMS,CMS -Blocks,Blocks -"This block no longer exists.","Dit blok bestaat niet langer" -"Edit Block","Bewerk blok" -"The block has been saved.","Het blok is opgeslagen" -"The block has been deleted.","Het blok is verwijderd" -"We can't find a block to delete.","We can't find a block to delete." -Pages,Pagina's -"This page no longer exists.","Deze pagina bestaat niet langer" -"Edit Page","Bewerk pagina" -"The page has been saved.","De pagina is opgeslagen" -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.","De pagina is verwijderd" -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default","Ingeschakeld door standaard" -"Disabled by Default","Uitgeschakeld in standaardmodus" -"Disabled Completely","Compleet uitgeschakeld" -"A block identifier with the same properties already exists in the selected store.","Een blok identificeerder met dezelfde waarden bestaat reeds in de geselecteerde winkel." -"A page URL key for specified store already exists.","Een pagina URL sleutel voor gespecificeerde winkel bestaat reeds." -"The page URL key contains capital letters or disallowed symbols.","De pagina-URL sleutel bevat hoofdletters of niet-toegestane symbolen." -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found","Geen bestanden gevonden" -Block,Blokkeer -Template,Thema -"Anchor Custom Text","Anker aangepaste tekst" -"Anchor Custom Title","Anker aangepaste titel" -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","CMS pagina link" -"Link to a CMS Page","Link naar een CMS pagina" -"CMS Page","CMS pagina" -"If empty, the Page Title will be used","Indien leeg, zal de paginatitel worden gebruikt" -"CMS Page Link Block Template","CMS pagina link blokkeer thema" -"CMS Page Link Inline Template","CMS pagina link in lijn thema" -"CMS Static Block","CMS statisch blok" -"Contents of a Static Block","Inhoud van een statisch blok" -"CMS Static Block Default Template","CMS statisch blok standaard thema" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Cms/i18n/pt_BR.csv b/app/code/Magento/Cms/i18n/pt_BR.csv deleted file mode 100644 index 706c52533cad0..0000000000000 --- a/app/code/Magento/Cms/i18n/pt_BR.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,Identidade -Action,Ação -"Delete File","Apagar Arquivo" -"-- Please Select --","-- Please Select --" -"Custom Design","Personalizar Design" -"Block Information","Informações de bloco" -Status,Status -Disabled,Desativado -Enabled,Ativado -"Save and Continue Edit","Save and Continue Edit" -Title,Título -"URL Key","Chave URL" -"Store View","Visualização da loja" -Description,Descrição -Home,Início -"Browse Files...","Browse Files..." -Content,Conteúdo -"General Information","Informações gerais" -"Go to Home Page","Ir para Página Inicial" -px.,px. -"Collapse All","Fechar Tudo" -"Expand All","Expandir Todos" -"Static Blocks","Blocos Estáticos" -"Add New Block","Adicionar Novo Bloco" -"Save Block","Salvar Bloco" -"Delete Block","Apagar Bloco" -"Edit Block '%1'","Edit Block '%1'" -"New Block","Novo Bloco" -"Block Title","Título de Bloco" -Identifier,Identificador -"Manage Pages","Gerenciar Páginas" -"Add New Page","Adicionar Nova Página" -"Save Page","Salvar Página" -"Delete Page","Apagar Página" -"Edit Page '%1'","Edit Page '%1'" -"New Page","Nova página" -"Content Heading","Cabeçalho do conteúdo" -"Page Layout","Layout da Página" -Layout,Layout -"Layout Update XML","Atualização de Layout XML" -"Custom Design From","Design Personalizado De" -"Custom Design To","Modelo Personalizado Para" -"Custom Theme","Tema Personalizado" -"Custom Layout","Layout do Modelo" -"Custom Layout Update XML","XML de Atualização do Layout Personalizado" -Design,Design -"Page Information","Informação da Página" -"Page Title","Título da Página" -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status","Status da Página" -"Meta Data",Metadados -Keywords,Palavras-chave -"Meta Keywords","Meta Keywords" -"Meta Description","Meta Descrição" -Created,Created -Modified,Modified -Preview,Preview -"Media Storage","Armazenamento de Mídia" -"Create Folder...","Criar Pasta..." -"Delete Folder","Apagar Pasta" -"Insert File","Inserir arquivo" -"New Folder Name:","Nome Nome da Pasta:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root","Raiz Tuberosa" -CMS,SGC -Blocks,Blocks -"This block no longer exists.","O bloco não existe mais." -"Edit Block","Editar bloco" -"The block has been saved.","O bloco foi salvo." -"The block has been deleted.","O bloco foi apagado." -"We can't find a block to delete.","We can't find a block to delete." -Pages,Páginas -"This page no longer exists.","A página não existe mais." -"Edit Page","Editar página" -"The page has been saved.","A página foi salva." -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.","A página foi apagada." -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default","Habilitado como padrão" -"Disabled by Default","Desativada por Defeito" -"Disabled Completely","Completamente desativado" -"A block identifier with the same properties already exists in the selected store.","Já existe na loja selecionada um identificador de bloco com as mesmas propriedades." -"A page URL key for specified store already exists.","Já existe uma chave de URL para a loja especificada." -"The page URL key contains capital letters or disallowed symbols.","A chave de URL contém letras maiúsculas ou símbolos desautorizados." -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found","Arquivos não encontrados" -Block,Bloco -Template,Modelo -"Anchor Custom Text","Texto âncora personalizado" -"Anchor Custom Title","Título âncora personalizado" -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","Link de Página CMS" -"Link to a CMS Page","Links para uma Página CMS" -"CMS Page","Página CMS" -"If empty, the Page Title will be used","Caso esteja em branco, o título da página será utilizado" -"CMS Page Link Block Template","Modelo de bloco de link da página de SGC" -"CMS Page Link Inline Template","Modelo Em Linha de Link de Página CMS" -"CMS Static Block","Bloco Estático do CMS" -"Contents of a Static Block","Conteúdos de um Bloco Estático" -"CMS Static Block Default Template","Template Padrão do Bloco Estático do CMS" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Cms/i18n/zh_Hans_CN.csv b/app/code/Magento/Cms/i18n/zh_Hans_CN.csv deleted file mode 100644 index 338aa81bc8cfb..0000000000000 --- a/app/code/Magento/Cms/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,126 +0,0 @@ -ID,ID -Action,操作 -"Delete File",删除文件 -"-- Please Select --","-- Please Select --" -"Custom Design",自定义设计 -"Block Information",块信息 -Status,状态 -Disabled,已禁用 -Enabled,已启用 -"Save and Continue Edit","Save and Continue Edit" -Title,标题 -"URL Key","URL Key" -"Store View",店铺视图 -Description,描述 -Home,主页 -"Browse Files...","Browse Files..." -Content,内容 -"General Information",常规信息 -"Go to Home Page",前往主页 -px.,像素 -"Collapse All",折叠全部 -"Expand All",全部展开 -"Static Blocks",静态块 -"Add New Block",添加新区块 -"Save Block",保存区块 -"Delete Block",删除区块 -"Edit Block '%1'","Edit Block '%1'" -"New Block",新块 -"Block Title",区块标题 -Identifier,标识 -"Manage Pages",管理页面 -"Add New Page",添加新页面 -"Save Page",保存页面 -"Delete Page",删除页面 -"Edit Page '%1'","Edit Page '%1'" -"New Page",新页面 -"Content Heading",内容标题 -"Page Layout",页面布局 -Layout,布局 -"Layout Update XML","布局更新 XML" -"Custom Design From",自定义设计,来自: -"Custom Design To",自定义设计到 -"Custom Theme",自定义主题 -"Custom Layout",自定义布局 -"Custom Layout Update XML","自定义布局更新 XML" -Design,设计 -"Page Information",页面信息 -"Page Title",页面标题 -"Relative to Web Site Base URL","Relative to Web Site Base URL" -"Page Status",页面状态 -"Meta Data",元数据 -Keywords,关键词 -"Meta Keywords",元关键词 -"Meta Description",元描述 -Created,Created -Modified,Modified -Preview,Preview -"Media Storage",媒体存储 -"Create Folder...",创建文件夹... -"Delete Folder",删除文件夹 -"Insert File",插入文件 -"New Folder Name:",新文件夹名称: -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Images (%1)","Images (%1)" -"Storage Root",存储根目录 -CMS,CMS -Blocks,Blocks -"This block no longer exists.",区块已不存在。 -"Edit Block",编辑区块 -"The block has been saved.",区块已保存。 -"The block has been deleted.",该区块已被删除。 -"We can't find a block to delete.","We can't find a block to delete." -Pages,页面 -"This page no longer exists.",该页面已不存在。 -"Edit Page",编辑页面 -"The page has been saved.",页面已保存。 -"Something went wrong while saving the page.","Something went wrong while saving the page." -"The page has been deleted.",页面已被删除。 -"We can't find a page to delete.","We can't find a page to delete." -"The directory %1 is not writable by server.","The directory %1 is not writable by server." -"Make sure that static block content does not reference the block itself.","Make sure that static block content does not reference the block itself." -"Enabled by Default",默认启用 -"Disabled by Default",默认被禁用 -"Disabled Completely",完全禁用 -"A block identifier with the same properties already exists in the selected store.",具有相同属性的区块标识符已在选定的商店存在。 -"A page URL key for specified store already exists.","特定商店的页面 URL 密钥已存在。" -"The page URL key contains capital letters or disallowed symbols.","页面 URL 密钥包含大写字母或不允许的符号。" -"The page URL key cannot be made of only numbers.","The page URL key cannot be made of only numbers." -"Please correct the folder name. Use only letters, numbers, underscores and dashes.","Please correct the folder name. Use only letters, numbers, underscores and dashes." -"We found a directory with the same name. Please try another folder name.","We found a directory with the same name. Please try another folder name." -"We cannot create a new directory.","We cannot create a new directory." -"We cannot delete directory %1.","We cannot delete directory %1." -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -"Directory %1 is not under storage root path.","Directory %1 is not under storage root path." -"No files found",没有找到文件 -Block,区块 -Template,模板 -"Anchor Custom Text",自定义文本锚点 -"Anchor Custom Title",自定义标题锚点 -"CMS Home Page","CMS Home Page" -"CMS No Route Page","CMS No Route Page" -"CMS No Cookies Page","CMS No Cookies Page" -"Show Breadcrumbs for CMS Pages","Show Breadcrumbs for CMS Pages" -"Browser Capabilities Detection","Browser Capabilities Detection" -"Redirect to CMS-page if Cookies are Disabled","Redirect to CMS-page if Cookies are Disabled" -"Show Notice if JavaScript is Disabled","Show Notice if JavaScript is Disabled" -"Show Notice if Local Storage is Disabled","Show Notice if Local Storage is Disabled" -"Content Management","Content Management" -"WYSIWYG Options","WYSIWYG Options" -"Enable WYSIWYG Editor","Enable WYSIWYG Editor" -"CMS Page Link","CMS 页面链接" -"Link to a CMS Page","链接到 CMS 页面" -"CMS Page","CMS 页面" -"If empty, the Page Title will be used",如果为空,将使用页面标题 -"CMS Page Link Block Template",CMS页面链接块模板 -"CMS Page Link Inline Template",CMS页面链接内联摸板 -"CMS Static Block","CMS 静态区块" -"Contents of a Static Block",静态区块的内容 -"CMS Static Block Default Template","CMS 静态区块默认模板" -Elements,Elements -Blocks,Blocks -Widgets,Widgets -Themes,Themes -Schedule,Schedule diff --git a/app/code/Magento/Config/i18n/de_DE.csv b/app/code/Magento/Config/i18n/de_DE.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/de_DE.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/Config/i18n/es_ES.csv b/app/code/Magento/Config/i18n/es_ES.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/es_ES.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/Config/i18n/fr_FR.csv b/app/code/Magento/Config/i18n/fr_FR.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/fr_FR.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/Config/i18n/nl_NL.csv b/app/code/Magento/Config/i18n/nl_NL.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/nl_NL.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/Config/i18n/pt_BR.csv b/app/code/Magento/Config/i18n/pt_BR.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/pt_BR.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/Config/i18n/zh_Hans_CN.csv b/app/code/Magento/Config/i18n/zh_Hans_CN.csv deleted file mode 100644 index 0aa4129389481..0000000000000 --- a/app/code/Magento/Config/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1 +0,0 @@ -Configuration,Configuration diff --git a/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv b/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv deleted file mode 100644 index 3f76dea40310f..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/de_DE.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product","Verwenden um konfigurierbares Produkt zu erstellen" -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes","Konfigurierbare Merkmale auswählen" -"Configurable Product Settings","Konfigurierbare Produkteinstellungen" -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.","Das Attribut wurde in konfigurierbaren Produkten verwendet." -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.","Diese Eigenschaft wird für konfigurierbare Produkte benötigt. Sie können sie nicht aus dem Eigenschaftenset entfernen." -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv b/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv deleted file mode 100644 index d054b94127f10..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/es_ES.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product","Utilizar para crear producto configurable" -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes","Seleccionar atributos configurables" -"Configurable Product Settings","Parametrización de Producto Configurable" -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.","Este atributo se utiliza en productos configurables." -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.","Este atributo se utiliza en productos configurables. No es posible eliminarlo del conjunto de atributos." -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv b/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv deleted file mode 100644 index 7b4b4b12cdafa..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/fr_FR.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product","Permet de créer des produits configurables" -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes","Sélectionner les attributs configurables" -"Configurable Product Settings","Réglages du produit configurable" -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.","Cet attribut est utilisé dans les produits configurables." -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.","L'attribut est utilisé dans des produits paramétrables. Vous ne pouvez pas le retirer de la série d'attributs." -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv b/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv deleted file mode 100644 index 26f35ed074910..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/nl_NL.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product","Gebruik Om Configureerbaar Product Te Creëren" -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes","Selecteer Configureerbare Attributen" -"Configurable Product Settings","Configureerbare Productinstellingen" -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.","Dit kenmerk wordt gebruikt in configureerbare producten." -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.","Dit attribuut wordt gebruikt in configureerbare producten. U kunt het niet verwijderen uit de attributenreeks." -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv b/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv deleted file mode 100644 index 610564aef34fc..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/pt_BR.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product","Use Para Criar Produto Configurável" -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes","Selecionar Atributos Configuráveis" -"Configurable Product Settings","Características do Produto Configurável" -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.","O atributo é usado em produtos configuráveis." -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.","Este atributo é usado em produtos configuráveis​​. Você não pode removê-lo do conjunto de atributos." -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv b/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv deleted file mode 100644 index 39182d64a089d..0000000000000 --- a/app/code/Magento/ConfigurableProduct/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,55 +0,0 @@ -Cancel,Cancel -Price,Price -Quantity,Quantity -ID,ID -SKU,SKU -Qty,Qty -"Incl. Tax","Incl. Tax" -"Use Default","Use Default" -Delete,Delete -Name,Name -"Add Option","Add Option" -"Stock Availability","Stock Availability" -"In Stock","In Stock" -"Out of Stock","Out of Stock" -Image,Image -"Use To Create Configurable Product",用于创建可配置的产品 -"Create Empty","Create Empty" -"Generate Variations","Generate Variations" -"Create New Variation Set","Create New Variation Set" -"Associated Products","Associated Products" -"Quick simple product creation","Quick simple product creation" -Autogenerate,Autogenerate -"Select Configurable Attributes",选择可配置属性 -"Configurable Product Settings",可配置的产品设置 -"Choose an Option...","Choose an Option..." -"This attribute is used in configurable products.",该属性已用于可配置产品。 -"Cannot add the item to shopping cart","Cannot add the item to shopping cart" -"Please specify the product's option(s).","Please specify the product's option(s)." -"Some product variations fields are not valid.","Some product variations fields are not valid." -"This group contains attributes used in configurable products. Please move these attributes to another group and try again.","This group contains attributes used in configurable products. Please move these attributes to another group and try again." -"This attribute is used in configurable products. You cannot remove it from the attribute set.",该属性用于可配置的产品。您无法从属性集中将其删除。 -"Delete Variations Group","Delete Variations Group" -"Sort Variations","Sort Variations" -"Variation Label","Variation Label" -Label,Label -"Change Price","Change Price" -Include,Include -%,% -"begin typing to add value","begin typing to add value" -Variations,Variations -"Current Variations","Current Variations" -Display,Display -Weight,Weight -"Upload Image","Upload Image" -Choose,Choose -Select,Select -"No Image","No Image" -"Attribute set comprising all selected configurable attributes need to be in order to save generated variations.","Attribute set comprising all selected configurable attributes need to be in order to save generated variations." -"Add configurable attributes to the current set (""%1"")","Add configurable attributes to the current set (""%1"")" -"Add configurable attributes to the new set based on current","Add configurable attributes to the new set based on current" -"New attribute set name","New attribute set name" -"Choose Affected Attribute Set","Choose Affected Attribute Set" -Confirm,Confirm -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configurable Product Image","Configurable Product Image" diff --git a/app/code/Magento/Contact/i18n/de_DE.csv b/app/code/Magento/Contact/i18n/de_DE.csv deleted file mode 100644 index ec1c149e7165c..0000000000000 --- a/app/code/Magento/Contact/i18n/de_DE.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,E-Mail -Name,Name -Submit,Senden -"* Required Fields","* Notwendige Felder" -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information",Kontaktinformation -Comment,Kommentar -"Email Template","Email Template" -Contacts,Contacts -"Contact Us",Kontakt -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Contact/i18n/es_ES.csv b/app/code/Magento/Contact/i18n/es_ES.csv deleted file mode 100644 index 11fe1244a505c..0000000000000 --- a/app/code/Magento/Contact/i18n/es_ES.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,"Correo electrónico" -Name,Nombre -Submit,Enviar -"* Required Fields","* Campos Requeridos" -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information","Información de Contacto" -Comment,Comentario -"Email Template","Email Template" -Contacts,Contacts -"Contact Us",Contáctenos -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Contact/i18n/fr_FR.csv b/app/code/Magento/Contact/i18n/fr_FR.csv deleted file mode 100644 index e72bd8348b3aa..0000000000000 --- a/app/code/Magento/Contact/i18n/fr_FR.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,Email -Name,Nom -Submit,Soumettre -"* Required Fields","* Champs obligatoires" -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information","Informations de contact" -Comment,Commenter -"Email Template","Email Template" -Contacts,Contacts -"Contact Us","Nous contacter" -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Contact/i18n/nl_NL.csv b/app/code/Magento/Contact/i18n/nl_NL.csv deleted file mode 100644 index eb90906e3eb8a..0000000000000 --- a/app/code/Magento/Contact/i18n/nl_NL.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,Email -Name,Naam -Submit,Bevestig -"* Required Fields","* Vereiste velden" -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information",contactinformatie -Comment,Reactie -"Email Template","Email Template" -Contacts,Contacts -"Contact Us","contacteer ons" -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Contact/i18n/pt_BR.csv b/app/code/Magento/Contact/i18n/pt_BR.csv deleted file mode 100644 index 11abd5480fb0d..0000000000000 --- a/app/code/Magento/Contact/i18n/pt_BR.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,E-mail -Name,Nome -Submit,Enviar -"* Required Fields","* Campos obrigatórios" -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information","Informações de contato" -Comment,Comentário -"Email Template","Email Template" -Contacts,Contacts -"Contact Us",Contate-nos -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Contact/i18n/zh_Hans_CN.csv b/app/code/Magento/Contact/i18n/zh_Hans_CN.csv deleted file mode 100644 index ffb2e35941ddc..0000000000000 --- a/app/code/Magento/Contact/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,16 +0,0 @@ -Email,电子邮件 -Name,姓名 -Submit,提交 -"* Required Fields",*必要字段 -Telephone,Telephone -"Thanks for contacting us with your comments and questions. We'll respond to you very soon.","Thanks for contacting us with your comments and questions. We'll respond to you very soon." -"We can't process your request right now. Sorry, that's all we know.","We can't process your request right now. Sorry, that's all we know." -"Contact Information",联系信息 -Comment,评论 -"Email Template","Email Template" -Contacts,Contacts -"Contact Us",联系我们 -"Enable Contact Us","Enable Contact Us" -"Email Options","Email Options" -"Send Emails To","Send Emails To" -"Email Sender","Email Sender" diff --git a/app/code/Magento/Cron/i18n/de_DE.csv b/app/code/Magento/Cron/i18n/de_DE.csv deleted file mode 100644 index ac4dc2474f612..0000000000000 --- a/app/code/Magento/Cron/i18n/de_DE.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,Täglich -Weekly,Wöchentlich -Monthly,Monatlich -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/Cron/i18n/es_ES.csv b/app/code/Magento/Cron/i18n/es_ES.csv deleted file mode 100644 index bc7def1d023ea..0000000000000 --- a/app/code/Magento/Cron/i18n/es_ES.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,Diario -Weekly,Semanalmente -Monthly,Mensualmente -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/Cron/i18n/fr_FR.csv b/app/code/Magento/Cron/i18n/fr_FR.csv deleted file mode 100644 index edb4773c31781..0000000000000 --- a/app/code/Magento/Cron/i18n/fr_FR.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,"Tous les jours" -Weekly,"Toutes les semaines" -Monthly,"Tous les mois" -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/Cron/i18n/nl_NL.csv b/app/code/Magento/Cron/i18n/nl_NL.csv deleted file mode 100644 index 65f3cfafcfef3..0000000000000 --- a/app/code/Magento/Cron/i18n/nl_NL.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,Dagelijks -Weekly,Wekelijks -Monthly,Maandelijks -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/Cron/i18n/pt_BR.csv b/app/code/Magento/Cron/i18n/pt_BR.csv deleted file mode 100644 index 1b07a9f42dc61..0000000000000 --- a/app/code/Magento/Cron/i18n/pt_BR.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,Diário -Weekly,Semanalmente -Monthly,Mensal -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/Cron/i18n/zh_Hans_CN.csv b/app/code/Magento/Cron/i18n/zh_Hans_CN.csv deleted file mode 100644 index 872014a77a8f3..0000000000000 --- a/app/code/Magento/Cron/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,14 +0,0 @@ -"We can't save the cron expression.","We can't save the cron expression." -Daily,每天 -Weekly,每周 -Monthly,每月 -"Cron (Scheduled Tasks) - all the times are in minutes","Cron (Scheduled Tasks) - all the times are in minutes" -"For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set.","For correct URLs generated during cron runs please make sure that Web > Secure and Unsecure Base URLs are explicitly set." -"Cron configuration options for group: ","Cron configuration options for group: " -"Generate Schedules Every","Generate Schedules Every" -"Schedule Ahead for","Schedule Ahead for" -"Missed if Not Run Within","Missed if Not Run Within" -"History Cleanup Every","History Cleanup Every" -"Success History Lifetime","Success History Lifetime" -"Failure History Lifetime","Failure History Lifetime" -"Use Separate Process","Use Separate Process" diff --git a/app/code/Magento/CurrencySymbol/i18n/de_DE.csv b/app/code/Magento/CurrencySymbol/i18n/de_DE.csv deleted file mode 100644 index 4164e2b05efe0..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/de_DE.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,System -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates","Währungskurse verwalten" -"Import Service","Import Service" -"Save Currency Symbols","Währungssymbole speichern" -"Currency Symbols","Currency Symbols" -"Use Standard","Standard verwenden" -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/CurrencySymbol/i18n/es_ES.csv b/app/code/Magento/CurrencySymbol/i18n/es_ES.csv deleted file mode 100644 index 42fcaaa65b024..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/es_ES.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,Sistema -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates","Tasa de cambio de divisas" -"Import Service","Import Service" -"Save Currency Symbols","Guardar símbolos de divisas" -"Currency Symbols","Currency Symbols" -"Use Standard","Utilizar la opción estándar" -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/CurrencySymbol/i18n/fr_FR.csv b/app/code/Magento/CurrencySymbol/i18n/fr_FR.csv deleted file mode 100644 index 4da9b1d74a839..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/fr_FR.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,Système -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates","Gérer le taux des devises" -"Import Service","Import Service" -"Save Currency Symbols","Enregistrer les symboles des devises" -"Currency Symbols","Currency Symbols" -"Use Standard","Utiliser la valeur standard" -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/CurrencySymbol/i18n/nl_NL.csv b/app/code/Magento/CurrencySymbol/i18n/nl_NL.csv deleted file mode 100644 index 090d4f246d7c4..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/nl_NL.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,Systeem -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates","Beheer Wisselkoersen" -"Import Service","Import Service" -"Save Currency Symbols","Bewaar Muntsoort Symbolen" -"Currency Symbols","Currency Symbols" -"Use Standard","Gebruik Standaard" -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/CurrencySymbol/i18n/pt_BR.csv b/app/code/Magento/CurrencySymbol/i18n/pt_BR.csv deleted file mode 100644 index 83f3645386110..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/pt_BR.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,Sistema -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates","Gerenciar Taxas de Câmbio" -"Import Service","Import Service" -"Save Currency Symbols","Salvar símbolos de moeda" -"Currency Symbols","Currency Symbols" -"Use Standard","Usar padrão" -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/CurrencySymbol/i18n/zh_Hans_CN.csv b/app/code/Magento/CurrencySymbol/i18n/zh_Hans_CN.csv deleted file mode 100644 index 6670cfab47e87..0000000000000 --- a/app/code/Magento/CurrencySymbol/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,20 +0,0 @@ -Reset,Reset -System,系统 -Import,Import -"Save Currency Rates","Save Currency Rates" -"Manage Currency Rates",管理汇率 -"Import Service","Import Service" -"Save Currency Symbols",保存货币符号 -"Currency Symbols","Currency Symbols" -"Use Standard",使用标准 -"Currency Rates","Currency Rates" -"Please specify a correct Import Service.","Please specify a correct Import Service." -"We can't initialize the import model.","We can't initialize the import model." -"All possible rates were fetched, please click on ""Save"" to apply","All possible rates were fetched, please click on ""Save"" to apply" -"All rates were fetched, please click on ""Save"" to apply","All rates were fetched, please click on ""Save"" to apply" -"Please correct the input data for %1 => %2 rate","Please correct the input data for %1 => %2 rate" -"All valid rates have been saved.","All valid rates have been saved." -"The custom currency symbols were applied.","The custom currency symbols were applied." -Currency,Currency -Symbol,Symbol -"Old rate:","Old rate:" diff --git a/app/code/Magento/Customer/i18n/de_DE.csv b/app/code/Magento/Customer/i18n/de_DE.csv deleted file mode 100644 index ec5acd01becc9..0000000000000 --- a/app/code/Magento/Customer/i18n/de_DE.csv +++ /dev/null @@ -1,419 +0,0 @@ -All,Alle -Cancel,Abbrechen -"Create Order","Bestellung anlegen" -Back,Zurück -Product,Produktname -Price,Preis -Quantity,Anzahl -ID,Produkt-ID -SKU,SKU -Configure,Konfigurieren -Customers,Kunden -"Shopping Cart",Warenkorb -No,No -Qty,Qty -Action,Aktion -Total,Gesamtbetrag -"No item specified.","Kein Objekt angegeben." -"Are you sure that you want to remove this item?","Sind Sie sicher, dass Sie den Eintrag überspringen wollen?" -Edit,Bearbeiten -Orders,Aufträge -"New Customers","Neue Kunden" -Customer,Kunde -"Grand Total",Gesamtbetrag -"Lifetime Sales",Gesamteinnahmen -"All Store Views","Alle Ansichten des Geschäfts" -"My Account","Mein Konto" -"Account Information",Kontoinformationen -"First Name",Vorname -"Last Name",Nachname -Email,E-Mail -"New Password","Neues Passwort" -"Delete File","Delete File" -Delete,Löschen -Save,Speichern -Store,Shop -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,Name -Status,Status -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -"Store View",Store-Ansicht -Type,Typ -Submit,Senden -"You deleted the customer.","You deleted the customer." -"IP Address","IP Adresse" -Order,"Bestellung #" -"Customer View",Kundenansicht -"Personal Information","Persönliche Informationen" -View,Anzeigen -"* Required Fields","* Notwendige Felder" -Day,Tag -Month,Monat -Year,Jahr -label,label -Global,Global -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group",Kundengruppe -"End Date","Newsletter Ende" -"Customer Groups",Kundengruppen -Country,Land -State/Province,Staat/Provinz -"Please select region, state or province","Bitte Region, Staat oder Provinz auswählen" -City,Stadt -"Zip/Postal Code",Postleitzahl -"Email Address",E-Mail-Adresse -Company,Firma -"VAT Number",MwSt.-Nummer -Address,Adresse -"Street Address","Adresse Strasse" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Passwort -"Confirm Password","Passwort bestätigen" -Login,Einloggen -"Forgot Your Password?","Passwort vergessen?" -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information",Kontaktinformation -"Log Out",Abmelden -"Log In",Anmelden -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.","Sie sind momentan nicht für unseren Newsletter angemeldet." -"You have not set a default shipping address.","Sie haben keine Standard-Versandadresse angegeben." -"You have not set a default billing address.","Sie haben keine Standard-Rechnungsadresse angegeben." -"Address Book",Adressbuch -"Edit Address","Adresse bearbeiten" -"Add New Address","Neue Adresse hinzufügen" -region,region -"Add New Customer","Neuen Kunden hinzufügen" -"Save Customer","Kunden speichern" -"Delete Customer","Kunden löschen" -"Reset Password","Reset Password" -"New Customer","Neuer Kunde" -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select","Bitte auswählen" -"Send Welcome Email","Willkommen eMail senden" -"Send From","Senden von" -"Send Welcome Email after Confirmation","Willkommen eMail nach Bestätigung senden" -"Delete Address","Adresse löschen" -"Edit Customer's Address","Kundenadresse bearbeiten" -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information","Newsletter Information" -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed","Last Date Subscribed" -"Last Date Unsubscribed","Zuletzt gekündigt" -"No Newsletter Found","Kein Newsletter gefunden" -"Start date","Start date" -"Receive Date","Newsletter empfangen" -Subject,Betreff -Sent,Gesendet -"Not Sent","Nicht gesendet" -Sending,"Wird gesendet" -Paused,Pausiert -Unknown,Unbekannt -"Purchase Date","Gekauft bei" -"Bill-to Name","Rechnung auf Namen" -"Ship-to Name","Ship-to Name" -"Order Total","Gesamtsumme Bestellung" -"Purchase Point","Gekauft von" -Never,Niemals -Offline,Offline -Confirmed,Bestätigt -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.","Der Kunde hat keine Standard-Rechnungsadresse." -"Recent Orders","Letzte Bestellungen" -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment","Es gibt momentan keine Artikel im Kundenwarenkorb" -"Shipped-to Name","Shipped-to Name" -"Deleted Stores","Stores löschen" -"There are no items in customer's wishlist at the moment","Momentan gibt es keine Artikel auf dem Wunschzettel des Kunden" -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information",Konteninformation -Addresses,Adressen -Wishlist,Wunschzettel -Newsletter,Newsletter -"Product Reviews",Produktreviews -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries","Alle Länder" -"Add New Customer Group","Neue Kundengruppe hinzufügen" -"Save Customer Group","Kundengruppe speichern" -"Delete Customer Group","Kundengruppe löschen" -"New Customer Group","Neue Kundengruppe" -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information",Guppeninformation -"Group Name",Guppenname -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class",Steuerklasse -"Customers Only","Nur für Kunden" -"Visitors Only","Nur Besucher" -Visitor,Besucher -"The customer is currently assigned to Customer Group %s.","Der Kunde ist derzeit Kundengruppe %s zugeordnet." -"Would you like to change the Customer Group for this order?","Möchten sie die Kundengruppe für diese Bestellung ändern?" -"The VAT ID is valid. The current Customer Group will be used.","Umsatzsteuer-Identifikationsnummer (%s) ist nicht gültig. Aktuelle Kundengruppe wird angewandt -." -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","Bei der Überprüfung der Umsatzsteuer-Identifikationsnummer ist ein Fehler aufgetreten." -"Validate VAT Number","Umsatzsteuer-Identifikationsnummer wird überprüft" -"Customer Login",Kundenanmeldung -"Create New Customer Account","Neues Kundenkonto erstellen" -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.","Anmeldername oder Passwort ungültig." -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.","Login und Passwort werden benötigt." -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.","Speichern des Kunden nicht möglich." -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.","Fehlerhafter Aufruf." -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.","Bitte überprüfen Sie Ihre E-Mails auf den Bestätigungscode." -"This email does not require confirmation.","Diese E-Mail erfordert keine Bestätigung." -"Wrong email.","Falsche E-Mail." -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.","Bitte geben Sie Ihre E-Mail-Adresse ein." -"Your password reset link has expired.","Der Link für das Resetten Ihres Passworts ist abgelaufen." -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.","Das Feld für das neue Passwort kann nicht leer sein." -"Your password has been updated.","Ihr Passwort wurde geändert." -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.","Benutzerkonto Information wurde gespeichert." -"The address has been saved.","Die Adresse wurde gespeichert." -"Cannot save address.","Adresse speichern nicht möglich." -"The address has been deleted.","Die Adresse wurde gelöscht." -"An error occurred while deleting the address.","Beim Löschen der Adresse ist ein Fehler aufgetreten." -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group","Neue Gruppe" -"New Customer Groups","Neue Kundengruppen" -"Edit Group","Gruppe bearbeiten" -"Edit Customer Groups","Kundengruppen bearbeiten" -"The customer group has been saved.","Die Kundengruppe wurde gespeichert." -"The customer group has been deleted.","Die Kundengruppe wurde gelöscht." -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers","Kunden verwalten" -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.","Bitte geben Sie den Vornamen ein." -"Please enter the last name.","Bitte geben Sie den Nachnamen ein." -"Please enter the street.","Bitte geben Sie die Straße ein." -"Please enter the city.","Bitte geben Sie die Stadt ein." -"Please enter the telephone number.","Bitte geben Sie die Telefonnummer ein." -"Please enter the zip/postal code.","Bitte geben Sie die Postleitzahl an." -"Please enter the country.","Bitte geben Sie das Land ein." -"Please enter the state/province.","Bitte geben Sie das Bundesland an." -"Per Website","Pro Webseite" -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.","Das Kundenkonto kann nicht global geteilt werden, da Kundenkonten mit den gleichen E-Mails bereits auf verschiedenen Websites existieren und nicht zusammengeführt werden können." -"This account is not confirmed.","Dieses Benutzerkonto wurde nicht bestätigt." -"Wrong transactional account email type","Falsche Girokonto E-Mail" -"The first name cannot be empty.","Der Vorname darf nicht leer sein." -"The last name cannot be empty.","Der Nachname darf nicht leer sein." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.","Das Geburtsdatum muss angegeben werden." -"The TAX/VAT number is required.","Die USt-IdNr. muss angegeben werden." -"Gender is required.","Das Geschlecht muss angegeben werden." -"Invalid password reset token.","Ungültiger Token für das Resetten des Passworts." -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,Admin -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required","Kunden-E-Mail-Adresse ist erforderlich" -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope","Kunden-Webseiten-Identifikation muss bei Nutzung der Seite angegeben werden" -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses",Kundenadressen -"Are you sure you want to delete this address?","Sind Sie sicher, dass Sie diese Adresse löschen wollen?" -"Set as Default Billing Address","Rechnungsadresse als Vorgabe einstellen" -"Default Billing Address",Standard-Rechnungsadresse -"Set as Default Shipping Address","Versandadresse als Vorgabe einstellen" -"Default Shipping Address",Standard-Lieferadresse -"New Customer Address","Neue Kundenadresse" -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics",Verkaufsstatistiken -"Average Sale",Durchschnittsverkauf -"Manage Addresses","Adressen verwalten" -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.","Von Meinem Konto Dashboard aus, können Sie einen Schnappschuss Ihrer aktuellen Kontoaktivität sehen und Ihre Kontoinformationen aktualisieren. Wählen Sie den nachfolgenden Link um Informationen zu sehen oder zu aktualisieren." -"Change Password","Passwort ändern" -Newsletters,Newsletter -"You are currently subscribed to 'General Subscription'.","Sie sind momentan für das Abo 'Allgemeines' angemeldet." -"You are currently not subscribed to any newsletter.","Sie sind momentan für keinen Newsletter angemeldet." -"Default Addresses",Standardadressen -"Change Billing Address","Rechnungsadresse ändern" -"You have no default billing address in your address book.","Sie haben in Ihrem Adressbuch keine Standard-Rechnungsadresse." -"Change Shipping Address","Versandadresse ändern" -"You have no default shipping address in your address book.","Sie haben in Ihrem Adressbuch keine Standard-Versandadresse." -"Additional Address Entries","Zusätzliche Einträge von Adressen" -"You have no additional address entries in your address book.","Sie haben keine zusätzlichen Adresseinträge in Ihrem Adressbuch." -"Use as my default billing address","Als meine Standard-Rechnungsadresse verwenden" -"Use as my default shipping address","Als meine Standardlieferadresse verwenden" -"Save Address","Adresse speichern" -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link","Bestätigungslink senden" -"Back to Login","Zurück zur Anmeldung" -"Current Password","Aktuelles Passwort" -"Confirm New Password","Neues Passwort bestätigen" -"Please enter your email address below. You will receive a link to reset your password.","Bitte geben Sie Ihre Email-Adresse ein. Sie erhalten dann einen Link mit dem Sie Ihr Passwort zurücksetzen können." -"Registered Customers","Registrierte Kunden" -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription","Allgemeines Abonnement" -"Sign Up for Newsletter","Für Newsletter eintragen" -"Address Information",Adressinformation -"Login Information","Login Informationen" -"Create account","Create account" -"Reset a Password","Passwort zurücksetzen" -"You have logged out and will be redirected to our homepage in 5 seconds.","Sie haben sich abgemeldet und werden innerhalb von 5 Sekunden zu unserer Startseite weitergeleitet." -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.","Wenn Sie sich anmelden, können Sie den Bezahlprozess schneller durchlaufen, mehrere Lieferadressen speichern, Ihre Bestellungen in Ihrem Konto anschauen und verfolgen und vieles mehr." -"Date of Birth",Geburtstag -DD,DD -MM,MM -YYYY,YYYY -Gender,Geschlecht -"Tax/VAT number",USt.ID -"Subscribe to Newsletter","Newsletter abonnieren" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,Gruppe -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter","Vom Newsletter abmelden" -"Assign a Customer Group","Kundengruppe zuordnen." -Phone,Telefon -ZIP,Postleitzahl -"Customer Since","Kunde Seit" -n/a,"Keine Angabe" -"Session Start Time","Startzeit der Session" -"Last Activity","Letzte Aktivität" -"Last URL","Letzte URL" -"Edit Account Information","Kontodaten bearbeiten" -"Forgot Your Password","Passwort vergessen" -"Password forgotten","Passwort vergessen" -"My Dashboard","Meine Startseite" -"You are now logged out","Sie sind jetzt abgemeldet" -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/Customer/i18n/es_ES.csv b/app/code/Magento/Customer/i18n/es_ES.csv deleted file mode 100644 index a2d8a49b8e6cd..0000000000000 --- a/app/code/Magento/Customer/i18n/es_ES.csv +++ /dev/null @@ -1,418 +0,0 @@ -All,Todo -Cancel,Cancelar -"Create Order","Crear pedido" -Back,Volver -Product,"Nombre del producto" -Price,Precio -Quantity,Cantidad -ID,"ID de Producto" -SKU,SKU -Configure,Configurar -Customers,Clientes -"Shopping Cart","Cesta de la Compra" -No,No -Qty,Qty -Action,Acción -Total,Total -"No item specified.","No es especificaron artículos." -"Are you sure that you want to remove this item?","¿Está seguro de que desea eliminar este artículo?" -Edit,Editar -Orders,Pedidos -"New Customers","Nuevos Clientes" -Customer,Cliente -"Grand Total","Suma total" -"Lifetime Sales","Ventas de por vida" -"All Store Views","Todas las vistas de tienda" -"My Account","Mi cuenta" -"Account Information","Información de Cuenta" -"First Name",Nombre -"Last Name",Apellido -Email,"Correo electrónico" -"New Password","Nueva contraseña" -"Delete File","Delete File" -Delete,Eliminar -Save,Guardar -Store,Tienda -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,Nombre -Status,Estado -"Save and Continue Edit","Guardar y continuar editando" -"Store View","Ver Tienda" -Type,Tipo -Submit,Enviar -"You deleted the customer.","You deleted the customer." -"IP Address","Dirección IP" -Order,"Número de pedido" -"Customer View","Vista de cliente" -"Personal Information","Información Personal" -View,Ver -"* Required Fields","* Campos Requeridos" -Day,Día -Month,Mes -Year,Año -label,label -Global,Global -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group","Grupo de Clientes" -"End Date","Fin del boletín informativo" -"Customer Groups","Grupos de Cliente" -Country,País -State/Province,Estado/Provincia -"Please select region, state or province","Por favor, seleccionar región, estado o provincia" -City,Ciudad -"Zip/Postal Code","Código Postal" -"Email Address","Dirección de email" -Company,Compañía -"VAT Number","Número de IVA" -Address,Dirección -"Street Address","Dirección de Calle" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Contraseña -"Confirm Password","Confirma Contraseña" -Login,Entrar -"Forgot Your Password?","¿Ha olvidado la contraseña?" -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information","Información de Contacto" -"Log Out","Fin de sesión" -"Log In","Inicio de sesión" -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.","Actualmente no está suscrito a nuestro boletín informativo." -"You have not set a default shipping address.","No ha establecido una dirección de envío predeterminada." -"You have not set a default billing address.","No ha establecido una dirección de facturación predeterminada." -"Address Book","Libreta de Direcciones" -"Edit Address","Cambiar la dirección" -"Add New Address","Añadir Nueva Dirección" -region,region -"Add New Customer","Agregar nuevo cliente" -"Save Customer","Guardar cliente" -"Delete Customer","Borrar cliente" -"Reset Password","Reset Password" -"New Customer","Nuevo cliente" -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select",Seleccione -"Send Welcome Email","Enviar mensaje de correo electrónico de bienvenida" -"Send From","Enviar Desde" -"Send Welcome Email after Confirmation","Enviar mensaje de correo electrónico de bienvenida después de la confirmación" -"Delete Address","Borrar Dirección" -"Edit Customer's Address","Editar dirección del cliente" -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information","Información del boletín informativo" -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed","Last Date Subscribed" -"Last Date Unsubscribed","Ultima fecha no suscrita" -"No Newsletter Found","No se encontraron boletines informativos" -"Start date","Start date" -"Receive Date","Boletín informativo recibido" -Subject,Asunto -Sent,Enviada -"Not Sent","No enviado" -Sending,Enviando -Paused,"En pausa" -Unknown,Desconocido -"Purchase Date","Adquirido en" -"Bill-to Name","Nombre de la factura" -"Ship-to Name","Ship-to Name" -"Order Total","Total del pedido" -"Purchase Point","Comprado a" -Never,Nunca -Offline,"Sin conexión" -Confirmed,Confirmado -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.","El cliente no tiene una dirección de facturación predeterminada." -"Recent Orders","Pedidos recientes" -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment","En este momento no hay artículos en el carrito de compras del cliente." -"Shipped-to Name","Shipped-to Name" -"Deleted Stores","Tiendas borradas" -"There are no items in customer's wishlist at the moment","En este momento no hay artículos en la lista de deseos del cliente." -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information","Información de cliente" -Addresses,Direcciones -Wishlist,"Lista de deseos" -Newsletter,"Boletín informativo" -"Product Reviews","Opiniones de Producto" -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries","Todos los países" -"Add New Customer Group","Agregar nuevo grupo de clientes" -"Save Customer Group","Guardar grupo de clientes" -"Delete Customer Group","Borrar grupo de cliente" -"New Customer Group","Nuevo grupo de cliente" -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information","Información de grupo" -"Group Name","Nombre de grupo" -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class","Clase impositiva" -"Customers Only","Sólo clientes" -"Visitors Only","Sólo para visitantes" -Visitor,Visitante -"The customer is currently assigned to Customer Group %s.","El cliente está asignado actualmente al grupo de cliente %s." -"Would you like to change the Customer Group for this order?","¿Quiere cambiar el grupo de cliente para este pedido?" -"The VAT ID is valid. The current Customer Group will be used.","El ID de IVA no es válido. Se utilizará el Grupo de cliente actual." -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","Ha habido un error validando el ID de IVA." -"Validate VAT Number","Validar número de IVA" -"Customer Login","Identificador de cliente" -"Create New Customer Account","Crear nueva cuenta de cliente" -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.","usuario o contraseña inválidos." -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.","Se requiere identificador y contraseña." -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.","No se puede guardar el cliente." -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.","Solicitud incorrecta." -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.","Revise su correo electrónico y busque la clave de confirmación." -"This email does not require confirmation.","Esta dirección de correo electrónico no necesita confirmación." -"Wrong email.","Dirección de correo electrónico incorrecta." -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.","Introduzca su dirección de correo electrónico." -"Your password reset link has expired.","El enlace para reiniciar la contraseña ha caducado." -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.","El campo de nueva contraseña no puede estar en blanco." -"Your password has been updated.","Se ha actualizado su contraseña." -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.","Se guardó la información de la cuenta." -"The address has been saved.","Se guardó la dirección." -"Cannot save address.","No se puede guardar la dirección." -"The address has been deleted.","Se eliminó la dirección." -"An error occurred while deleting the address.","Se produjo un error al eliminar la dirección." -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group","Nuevo grupo" -"New Customer Groups","Nuevos grupos de clientes" -"Edit Group","Editar grupo" -"Edit Customer Groups","Editar grupos de clientes" -"The customer group has been saved.","Se guardó el grupo de clientes." -"The customer group has been deleted.","Se eliminó el grupo de clientes." -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers","Gestionar Clientes" -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.","Por favor, introduce el nombre." -"Please enter the last name.","Por favor, introduce el apellido." -"Please enter the street.","Por favor, introduce la calle." -"Please enter the city.","Por favor, introduce la ciudad." -"Please enter the telephone number.","Por favor, introduce el número de teléfono." -"Please enter the zip/postal code.","Por favor, introduce el código postal." -"Please enter the country.","Por favor, introduce el país." -"Please enter the state/province.","Por favor, introduce el estado/provincia." -"Per Website","Por sitio web" -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.","No se pueden compartir las cuentas de cliente de forma global porque existen algunas cuentas de cliente con la misma dirección de correo electrónico en varios sitios web, y no se pueden combinar." -"This account is not confirmed.","Esta cuenta no está confirmada." -"Wrong transactional account email type","Tipo de correo electrónico de cuenta de transacciones equivocado" -"The first name cannot be empty.","El nombre no puede estar vacío." -"The last name cannot be empty.","El apellido no puede estar vacío." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.","Se requiere la fecha de nacimiento." -"The TAX/VAT number is required.","Se requiere el número de IVA." -"Gender is required.","Se requiere el género." -"Invalid password reset token.","La contraseña no es correcta, reinicia el token." -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,Administrar -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required","Se requiere email del cliente" -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope","Debe especificarse la identificación de página web del cliente cuando se usa el campo de la página web" -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses","Dirección de cliente" -"Are you sure you want to delete this address?","¿Estás seguro de querer borrar esta dirección?" -"Set as Default Billing Address","Establecer como dirección de facturación predeterminada" -"Default Billing Address","Dirección de Facturación por Defecto" -"Set as Default Shipping Address","Establecer como dirección de envío predeterminada" -"Default Shipping Address","Dirección de Envío por Defecto" -"New Customer Address","Nueva dirección de cliente" -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics","Estadísticas de ventas" -"Average Sale","Venta promedio" -"Manage Addresses","Gestionar las direcciones" -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.","Desde el «panel de control de mi cuenta» puede ver una instantánea de la actividad reciente en su cuenta y actualizar la información de su cuenta. Elija uno de los siguientes enlaces para ver o cambiar la información." -"Change Password","Cambiar Contraseña" -Newsletters,"Boletín de Noticias" -"You are currently subscribed to 'General Subscription'.","Actualmente estás suscrito a 'Suscripción General'." -"You are currently not subscribed to any newsletter.","Actualmente no estás suscrito a ningún boletín de noticias" -"Default Addresses","Dirección por Defecto" -"Change Billing Address","Cambiar la Dirección de Facturación" -"You have no default billing address in your address book.","No tienes ninguna dirección de facturación por defecto en tu libreta de direcciones." -"Change Shipping Address","Cambiar la Dirección de Envío" -"You have no default shipping address in your address book.","No tienes ninguna dirección de envío por defecto en tu libreta de direcciones." -"Additional Address Entries","Anotaciones Adicionales de Dirección" -"You have no additional address entries in your address book.","No tienes anotaciones adicionales de dirección en tu libreta de direcciones." -"Use as my default billing address","Usar como mi dirección de facturación por defecto" -"Use as my default shipping address","Utilizar como mi dirección de envío por defecto" -"Save Address","Guardar Dirección" -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link","Enviar enlace de confirmación" -"Back to Login","Volver a Conexión" -"Current Password","Contraseña Actual" -"Confirm New Password","Confirmar la Nueva Contraseña" -"Please enter your email address below. You will receive a link to reset your password.","Escriba su correo electrónico más abajo. Recibirá un enlace para restablecer su contraseña." -"Registered Customers","Clientes Registrados" -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription","Suscripción general" -"Sign Up for Newsletter","Darse de Alta para Boletín de Noticias" -"Address Information","Información de Dirección" -"Login Information","Información de registro" -"Create account","Create account" -"Reset a Password","Restablecer contraseña" -"You have logged out and will be redirected to our homepage in 5 seconds.","Ha cerrado sesión y será redirigido a nuestra página principal en 5 segundos." -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.","Al crear una cuenta con nuestra tienda podrás moverte más rápidamente por el proceso de pago, guardar múltiples direcciones de envío, ver y seguir el rastro de los pedidos de tu cuenta y más." -"Date of Birth","Fecha de Nacimiento" -DD,DD -MM,MM -YYYY,YYYY -Gender,Género -"Tax/VAT number","Número de IVA/impuestos" -"Subscribe to Newsletter","Suscribir al boletín informativo" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,Grupo -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter","Cancelar suscripción al boletín informativo" -"Assign a Customer Group","Asignar un grupo de clientes" -Phone,Teléfono -ZIP,"Código postal" -"Customer Since","Cliente desde" -n/a,n/d -"Session Start Time","Hora de inicio de sesión" -"Last Activity","Ultima actividad" -"Last URL","Ultima URL" -"Edit Account Information","Cambiar la información de la cuenta" -"Forgot Your Password","Olvidaste Tu Contraseña" -"Password forgotten","Olvido de contraseña" -"My Dashboard","Mi panel de control" -"You are now logged out","Ha cerrado sesión." -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/Customer/i18n/fr_FR.csv b/app/code/Magento/Customer/i18n/fr_FR.csv deleted file mode 100644 index ded34d3149b9d..0000000000000 --- a/app/code/Magento/Customer/i18n/fr_FR.csv +++ /dev/null @@ -1,418 +0,0 @@ -All,Tous -Cancel,Annuler -"Create Order","Créer une commande" -Back,Retour -Product,"Nom du produit" -Price,Prix -Quantity,Qté -ID,"Identifiant du produit" -SKU,SKU -Configure,Configurer -Customers,Clients -"Shopping Cart",Panier -No,No -Qty,Qty -Action,Action -Total,Total -"No item specified.","Pas d'objet spécifié" -"Are you sure that you want to remove this item?","Etes-vous sûr de vouloir supprimer cet objet ?" -Edit,Modifier -Orders,Commandes -"New Customers","Nouveaux utilisateurs" -Customer,Client -"Grand Total","Total final" -"Lifetime Sales","Ventes à vie" -"All Store Views","Toutes les vues de la boutique" -"My Account","Mon compte" -"Account Information","Informations du compte" -"First Name",Prénom -"Last Name",Nom -Email,Email -"New Password","Nouveau mot de passe" -"Delete File","Delete File" -Delete,Supprimer -Save,Enregistrer -Store,Magasin -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,Nom -Status,Statut -"Save and Continue Edit","Sauvegarder et continuer l'édition" -"Store View","Vue du magasin" -Type,Type -Submit,Soumettre -"You deleted the customer.","You deleted the customer." -"IP Address","Adresse IP" -Order,"Commande n°" -"Customer View","Voir le client" -"Personal Information","Information personnelle" -View,Vue -"* Required Fields","* Champs obligatoires" -Day,Jour -Month,Mois -Year,Année -label,label -Global,Global -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group","Groupe du client" -"End Date","Fin de la lettre d'informations" -"Customer Groups","Groupes de clients" -Country,Pays -State/Province,Etat/pays -"Please select region, state or province","Veuillez sélectionner la région, l'état et le pays" -City,Ville -"Zip/Postal Code","Code postal" -"Email Address","Adresse email" -Company,Société -"VAT Number","Numéro TVA" -Address,Adresse -"Street Address","Adresse postale" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,"Mot de passe" -"Confirm Password","Confirmez le mot de passe" -Login,Identifiant -"Forgot Your Password?","Mot de passe oublié?" -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information","Informations de contact" -"Log Out",Déconnexion -"Log In",Connexion -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.","Vous n'êtes pas actuellement abonné à notre lettre d'informations." -"You have not set a default shipping address.","Vous n'avez pas défini d'adresse de facturation par défaut." -"You have not set a default billing address.","Vous n'avez pas défini d'adresse de facturation par défaut." -"Address Book","Carnet d'adresses" -"Edit Address","Éditer l'adresse" -"Add New Address","Ajouter une nouvelle adresse" -region,region -"Add New Customer","Ajouter un nouvel utilisateur" -"Save Customer","Enregistrer le client" -"Delete Customer","Supprimer le client" -"Reset Password","Reset Password" -"New Customer","Nouvel utilisateur" -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select","Veuillez sélectionner" -"Send Welcome Email","Envoyer l'e-mail de bienvenue" -"Send From","Envoyer depuis" -"Send Welcome Email after Confirmation","Envoyer l'e-mail de bienvenue après confirmation" -"Delete Address","Supprimer l'adresse" -"Edit Customer's Address","Éditer l'adresse du client" -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information","Information de la lettre" -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed","Last Date Subscribed" -"Last Date Unsubscribed","Dernière date de désinscription" -"No Newsletter Found","Aucune lettre d'information trouvée" -"Start date","Start date" -"Receive Date","Lettre d'informations reçue" -Subject,Sujet -Sent,Envoyé -"Not Sent","Non envoyé" -Sending,Envoi -Paused,"En pause" -Unknown,Inconnu -"Purchase Date","Commandé via" -"Bill-to Name","Facture au nom" -"Ship-to Name","Ship-to Name" -"Order Total","Total de la commande" -"Purchase Point","Acheté à" -Never,Jamais -Offline,"Hors ligne" -Confirmed,Confirmé -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.","L'utilisateur ne dispose pas d'une adresse de facturation par défaut." -"Recent Orders","Commandes récentes" -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment","Il n'y a pas d'objets dans le panier d'utilisateur" -"Shipped-to Name","Shipped-to Name" -"Deleted Stores","Magasins supprimés" -"There are no items in customer's wishlist at the moment","Il n'y a pas d'objets dans la liste de voeux de l'utilisateur" -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information","Information sur le client" -Addresses,Adresses -Wishlist,"Liste de cadeaux" -Newsletter,Newsletter -"Product Reviews","Avis sur le produit" -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries","Tous les pays" -"Add New Customer Group","Ajouter un nouveau groupe d'utilisateurs" -"Save Customer Group","Enregistrer le groupe de clients" -"Delete Customer Group","Supprimer le groupe de client" -"New Customer Group","Nouveau groupe d'utilisateurs" -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information","Informations sur le groupe" -"Group Name","Nom du groupe" -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class","Classe d'impôt" -"Customers Only","Clients seulement" -"Visitors Only","Visiteurs uniquement" -Visitor,Visiteur -"The customer is currently assigned to Customer Group %s.","Le client appartient actuellement au Groupe de clients %s." -"Would you like to change the Customer Group for this order?","Souhaitez-vous modifier le Groupe de clients pour cette commande ?" -"The VAT ID is valid. The current Customer Group will be used.","Le numéro de TVA est valide. Le Groupe de clients en cours va être utilisé." -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","Une erreur est apparue lors de la validation du numéro de TVA." -"Validate VAT Number","Valider le numéro de TVA" -"Customer Login","Login du client" -"Create New Customer Account","Créer un nouveau compte client" -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.","Login ou mot de passe invalide" -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.","Le nom d'utilisateur et le mot de passe sont requis." -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.","Impossible d'enregistrer le client." -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.","Requête invalide." -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.","Veuillez vérifier vos emails pour la clé de confirmation." -"This email does not require confirmation.","Cet email ne nécessite pas de confirmation." -"Wrong email.","Mauvaise adresse email." -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.","Veuillez entrer votre adresse email." -"Your password reset link has expired.","Votre lien de réinitialisation de mot de passe a expiré." -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.","Le champ nouveau mot de passe ne peut pas être vide." -"Your password has been updated.","Votre mot de passe a été mis à jour." -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.","Les informations du compte ont été sauvegardées." -"The address has been saved.","L'adresse a été enregistrée." -"Cannot save address.","Impossible d'enregistrer l'adresse." -"The address has been deleted.","Cette adresse a été supprimée." -"An error occurred while deleting the address.","Une erreur est survenue lors de la suppression de l'adresse." -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group","Nouveau groupe" -"New Customer Groups","Nouveaux groupes d'utilistateurs" -"Edit Group","Éditer le groupe" -"Edit Customer Groups","Éditer les groupes de clients" -"The customer group has been saved.","Le groupe d'utilisateurs a été enregistré." -"The customer group has been deleted.","Le groupe d'utilisateurs a été supprimé." -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers","Gérer les utilisateurs" -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.","Veuillez saisir le prénom." -"Please enter the last name.","Veuillez saisir le nom de famille." -"Please enter the street.","Veuillez saisir la ville." -"Please enter the city.","Veuillez saisir la ville." -"Please enter the telephone number.","Veuillez saisir le numéro de téléphone." -"Please enter the zip/postal code.","Veuillez saisir le code postal." -"Please enter the country.","Veuillez saisir le pays." -"Please enter the state/province.","Veuillez entrer l'état/la région." -"Per Website","Par site web" -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.","Impossible de partager les comptes des clients globalement car certains comptes avec les mêmes adresses e-mail existent sur plusieurs sites Web et ne peuvent pas être fusionnés." -"This account is not confirmed.","Ce compte n'est pas confirmé." -"Wrong transactional account email type","Mauvais type d'email pour le compte de transaction" -"The first name cannot be empty.","Le prénom ne peut être vide." -"The last name cannot be empty.","Le nom de famille ne peut être vide." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.","La date de naissance est requise." -"The TAX/VAT number is required.","Le numéro TAX/VAT est requis." -"Gender is required.","Le genre est requis." -"Invalid password reset token.","Preuve de réinitialisation de mot de passe invalide." -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,Admin -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required","L'adresse courriel du client est nécessaire" -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope","L'identification du client sur le site web doit être indiqué lors de l'utilisation du site" -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses","Adresses du client" -"Are you sure you want to delete this address?","Etes-vous sûr de vouloir supprimer cette adresse ?" -"Set as Default Billing Address","Définir comme adresse de facturation par défaut" -"Default Billing Address","Adresse de facturation par défaut" -"Set as Default Shipping Address","Définir comme adresse d'expédition par défaut" -"Default Shipping Address","Adresse d'expédition par défaut" -"New Customer Address","Nouvelle adresse utilisateur" -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics","Statistiques de vente" -"Average Sale","Vente moyenne" -"Manage Addresses","Gérer les adresses" -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.","Vous pouvez avoir un aperçu de votre activité récente dans le tableau de bord de votre compte. Vous pouvez également mettre à jour les informations de votre compte. Sélectionner un lien ci-dessous pour voir ou éditer vos informations." -"Change Password","Modifier le mot de passe" -Newsletters,"Lettres d'information" -"You are currently subscribed to 'General Subscription'.","Vous êtes actuellement abonné à no ""Souscription générale""" -"You are currently not subscribed to any newsletter.","Vous n'êtes actuellement abonné à aucune lettre d'informations." -"Default Addresses","Adresses par défaut" -"Change Billing Address","Changer l'adresse de facturation" -"You have no default billing address in your address book.","Vous n'avez pas d'adresse de facturation par défaut dans votre carnet d'adresses." -"Change Shipping Address","Modifier l'adresse d'expédition" -"You have no default shipping address in your address book.","Vous n'avez pas d'adresse d'expédition par défaut dans votre carnet d'adresses." -"Additional Address Entries","Adresses supplémentaires" -"You have no additional address entries in your address book.","Vous n'avez pas d'entrées supplémentaires dans votre carnet d'adresses." -"Use as my default billing address","Utiliser comme mon adresse de facturation par défaut." -"Use as my default shipping address","À utiliser comme mon adresse de livraison par défaut" -"Save Address","Enregister l'adresse" -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link","Envoyer le lien de confirmation" -"Back to Login","Retour à la connexion" -"Current Password","Mot de passe actuel" -"Confirm New Password","Confirmer le nouveau mot de passe" -"Please enter your email address below. You will receive a link to reset your password.","Veuillez entrer votre adresse e-mail ci dessous. Vous allez recevoir un lien pour réinitialiser votre mot de passe." -"Registered Customers","Utilisateurs enregistrés" -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription","Abonnement général" -"Sign Up for Newsletter","S'inscrire à la newsletter" -"Address Information","Informations de l'adresse" -"Login Information","Information de connexion" -"Create account","Create account" -"Reset a Password","Réinitialiser un mot de passe" -"You have logged out and will be redirected to our homepage in 5 seconds.","Vous êtes déconnecté et serez redirigé vers notre page d'accueil dans 5 secondes." -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.","En créant un compte avec notre boutique, vous serez capable de procéder aux achats plus rapidement, d'ajouter plusieurs adresses d'expédition, de voir et suivre vos commandes sur votre compte et plus encore." -"Date of Birth","Date de naissance" -DD,DD -MM,MM -YYYY,YYYY -Gender,Genre -"Tax/VAT number","Numéro TVA" -"Subscribe to Newsletter","S'inscrire à la newsletter" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,Groupe -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter","Se désinscrire de la lettre d'informations" -"Assign a Customer Group","Assigner un nouveau groupe d'utilisateurs" -Phone,Téléphone -ZIP,ZIP -"Customer Since","Client depuis" -n/a,n/a -"Session Start Time","Heure de début de session" -"Last Activity","Dernière activité" -"Last URL","Dernier lien" -"Edit Account Information","Éditer les informations du compte" -"Forgot Your Password","Mot de passe oublié" -"Password forgotten","Mot de passe oublié" -"My Dashboard","Mon espace de travail" -"You are now logged out","Vous êtes maintenant déconnecté." -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/Customer/i18n/nl_NL.csv b/app/code/Magento/Customer/i18n/nl_NL.csv deleted file mode 100644 index 4953a8783567d..0000000000000 --- a/app/code/Magento/Customer/i18n/nl_NL.csv +++ /dev/null @@ -1,418 +0,0 @@ -All,Alles -Cancel,Annuleren -"Create Order","Maak Bestelling Aan" -Back,Terug -Product,Productnaam -Price,Prijs -Quantity,Hoeveelheid -ID,"Product Identificatie" -SKU,SKU -Configure,Configureren -Customers,Klanten -"Shopping Cart",Winkelmandje -No,No -Qty,Qty -Action,Actie -Total,Totaal -"No item specified.","Geen artikel gespecificeerd." -"Are you sure that you want to remove this item?","Weet u zeker dat u dit item wilt verwijderen?" -Edit,Bewerken -Orders,Bestellingen -"New Customers","Nieuwe Klanten" -Customer,Klant -"Grand Total",Totaal -"Lifetime Sales","Lifetime Verkopen" -"All Store Views","Alle Winkelbezichtigingen" -"My Account","Mijn account" -"Account Information",Accountinformatie -"First Name",Voornaam -"Last Name",Achternaam -Email,Email -"New Password","Nieuw Wachtwoord" -"Delete File","Delete File" -Delete,Verwijderen -Save,Opslaan -Store,Winkel -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,Naam -Status,Status -"Save and Continue Edit","Opslaan en doorgaan met bewerken" -"Store View","Aanblik winkel" -Type,Type -Submit,Bevestig -"You deleted the customer.","You deleted the customer." -"IP Address","IP Adres" -Order,"Bestelling #" -"Customer View","Klant View" -"Personal Information","Persoonlijke Informatie" -View,Bekijk -"* Required Fields","* Vereiste velden" -Day,Dag -Month,Maand -Year,Jaar -label,label -Global,Wereldwijd -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group",Klantgroep -"End Date","Nieuwsbrief Eind" -"Customer Groups",Klantgroepen -Country,Land -State/Province,Staat/Provincie -"Please select region, state or province","Selecteer a.u.b. uw provincie" -City,Stad -"Zip/Postal Code",Zip/Postcode -"Email Address",e-mailadres -Company,Bedrijf -"VAT Number","BTW nummer" -Address,Adres -"Street Address","Adres straat" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Wachtwoord -"Confirm Password","Bevestig wachtwoord" -Login,"Log in" -"Forgot Your Password?","Uw Wachtwoord Vergeten?" -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information","Contact Informatie" -"Log Out",Uitloggen -"Log In",Inloggen -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.","U staat niet ingeschreven voor onze nieuwsbrief." -"You have not set a default shipping address.","U heeft geen standaard verzendingsadres ingesteld." -"You have not set a default billing address.","U heeft geen standaard facturatieadres ingesteld." -"Address Book",Adresboek -"Edit Address","Adres bewerken" -"Add New Address","Nieuw adres toevoegen" -region,region -"Add New Customer","Nieuwe klant toevoegen" -"Save Customer","Sla klant op" -"Delete Customer","Verwijder Klant" -"Reset Password","Reset Password" -"New Customer","Nieuwe Klant" -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select",Selecteer -"Send Welcome Email","Verzend Welkomstemail" -"Send From","Verzend Van" -"Send Welcome Email after Confirmation","Stuur een Welkomst E-mail na Confirmatie" -"Delete Address","Verwijder Adres" -"Edit Customer's Address","Bewerk Klant Adres" -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information","Nieuwsbrief Informatie" -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed","Last Date Subscribed" -"Last Date Unsubscribed","Laatste Niet Ingeschreven Datum" -"No Newsletter Found","Geen Nieuwsbrief Gevonden" -"Start date","Start date" -"Receive Date","Nieuwsbrief Ontvangen" -Subject,Onderwerp -Sent,Verzonden -"Not Sent","Niet verstuurd" -Sending,Verzenden -Paused,Gepauzeerd -Unknown,Onbekend -"Purchase Date","Gekocht bij" -"Bill-to Name","Bon op naam" -"Ship-to Name","Ship-to Name" -"Order Total","Totaal Bestelling" -"Purchase Point","Gekocht van" -Never,Nooit -Offline,Offline -Confirmed,Bevestigd -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.","De klant heeft geen facturatieadres." -"Recent Orders","Recente Bestellingen" -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment","Er zitten momenteel geen items in het winkelwagentje van de klant" -"Shipped-to Name","Shipped-to Name" -"Deleted Stores","Verwijderde Winkels" -"There are no items in customer's wishlist at the moment","Er staan momenteel geen items op het verlanglijstje van de klant" -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information",Klantinformatie -Addresses,Adressen -Wishlist,Verlanglijst -Newsletter,Nieuwsbrief -"Product Reviews",Productbeoordelingen -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries","Alle landen" -"Add New Customer Group","Nieuwe klantengroep toevoegen" -"Save Customer Group","Sla Klantgroep Op" -"Delete Customer Group","Verwijder Klantgroep" -"New Customer Group","Nieuwe Klanten Groep" -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information","Groep Informatie" -"Group Name","Groep Naam" -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class","BTW Klasse" -"Customers Only","Alleen klanten" -"Visitors Only","Alleen bezoekers" -Visitor,Bezoeker -"The customer is currently assigned to Customer Group %s.","De klant is op het moment toegewezen aan Klant Groep %s." -"Would you like to change the Customer Group for this order?","Wilt u de Klant Groep voor deze order veranderen?" -"The VAT ID is valid. The current Customer Group will be used.","Het BTW nr. is geldig. De huidige Klant Groep wordt gebruikt." -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","Er is een fout opgetreden bij het valideren van uw BTW nr." -"Validate VAT Number","Geldig BTW nr." -"Customer Login","Klant Login" -"Create New Customer Account","Maak Nieuwe Klantaccount Aan" -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.","Ongeldige login of wachtwoord" -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.","Login en wachtwoord zijn noodzakelijk." -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.","Kan klant niet opslaan." -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.","Slecht verzoek." -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.","Check a.u.b. uw e-mail voor de bevestigingskey." -"This email does not require confirmation.","Deze e-mail behoeft geen confirmatie." -"Wrong email.","Verkeerde email." -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.","Geef u e-mail in a.u.b." -"Your password reset link has expired.","Uw wachtwoord herstel link is verlopen." -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.","Nieuw wachtwoord veld mag niet leeg zijn" -"Your password has been updated.","Uw wachtwoord is geupdate." -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.","De accountinformatie is opgeslagen." -"The address has been saved.","Het adres is niet opgeslagen." -"Cannot save address.","Kan adres niet opslaan." -"The address has been deleted.","Het adres is verwijderd." -"An error occurred while deleting the address.","Een fout heeft plaats gevonden tijdens het verwijderen van het adres." -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group","Nieuwe Groep" -"New Customer Groups","Nieuwe Klantgroepen" -"Edit Group","Bewerk Groep" -"Edit Customer Groups","Bewerk Klantgroepen" -"The customer group has been saved.","De klanten groep is opgeslagen." -"The customer group has been deleted.","De klantgroep is verwijderd." -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers","Beheer Klanten" -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.","Vul alstublieft de voornaam in." -"Please enter the last name.","Vul alstublieft de achternaam in." -"Please enter the street.","Vul alstublieft de straat in." -"Please enter the city.","Vul alstublieft de stad in." -"Please enter the telephone number.","Vul alstublieft het telefoonnummer in." -"Please enter the zip/postal code.","Vul alstublieft de postcode in." -"Please enter the country.","Vul alstublieft het land in." -"Please enter the state/province.","Vul alstublieft de staat/provincie in." -"Per Website","Per Website" -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.","Kan klantaccounts niet globaal delen omdat sommige klantaccounts met dezelfde emails op meerdere websites bestaan en daarom niet samengevoegd kunnen worden." -"This account is not confirmed.","Deze account is niet bevestigd." -"Wrong transactional account email type","Verkeerde transactionele account e-mail soort" -"The first name cannot be empty.","De voornaam kan niet leeg gelaten worden." -"The last name cannot be empty.","Achternaam kan niet leeg gelaten worden." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.","De Geboortedatum is verplicht." -"The TAX/VAT number is required.","Het BTW/belastingnummer is verplicht." -"Gender is required.","Geslacht is verplicht" -"Invalid password reset token.","Ongeldige wachtwoord herstel token" -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,Admin -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required","Klant e-mail is vereist" -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope","Klant website ID moet worden gespecificeerd bij het gebruik van de website scope" -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses","Klant adres" -"Are you sure you want to delete this address?","Weet u zeker dat u dit adres wilt verwijderen?" -"Set as Default Billing Address","Stel in als Standaard Factureeradres" -"Default Billing Address","Standaard betalingsadres" -"Set as Default Shipping Address","Stel in als Standaard Afleveradres" -"Default Shipping Address","Standaard verzendingsadres" -"New Customer Address","Nieuwe Klant Adres" -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics",Verkoopstatistieken -"Average Sale","Gemiddelde Verkoop" -"Manage Addresses","Beheer Adressen" -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.","Vanaf uw Mijn Account Dashboard heeft u de mogelijkheid om een momentopname van uw recentelijke accountactiviteit te bekijken en uw accountgegevens te updaten. Selecteer een link hieronder om gegevens te bekijken of te bewerken." -"Change Password","Verander wachtwoord" -Newsletters,Nieuwsbrief -"You are currently subscribed to 'General Subscription'.","U staat ingeschreven op ""Algemene Abonnement""" -"You are currently not subscribed to any newsletter.","U staat niet ingeschreven voor enige nieuwsbrief." -"Default Addresses","Vaststaand Adres" -"Change Billing Address","Wijzig Factureeradres" -"You have no default billing address in your address book.","U heeft geen standaard factuuradres in uw adresboek staan." -"Change Shipping Address","Verander Verzendingsadres" -"You have no default shipping address in your address book.","U heeft geen standaard verzendingsadres in uw adresboek staan." -"Additional Address Entries","Verdere adresregels" -"You have no additional address entries in your address book.","U heeft geen additionele adresvermeldingen in uw adresboek staan." -"Use as my default billing address","Gebruiken als mijn standaard factuuradres" -"Use as my default shipping address","Gebruik als mijn standaard verzendadres" -"Save Address","Sla adres op" -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link","Verzend bevestigingslink" -"Back to Login","Terug naar Inloggen" -"Current Password","Huidig wachtwoord" -"Confirm New Password","Bevestig nieuw wachtwoord" -"Please enter your email address below. You will receive a link to reset your password.","Voer hieronder uw e-mailadres in. U ontvangt een link waarmee u uw wachtwoord opnieuw kunt instellen." -"Registered Customers","Geregistreerde Klanten" -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription","Algemeen Abonnement" -"Sign Up for Newsletter","Schrijf in voor Nieuwsbrief" -"Address Information",Adresgegevens -"Login Information","Log in Gegevens" -"Create account","Create account" -"Reset a Password","Wachtwoord opnieuw instellen" -"You have logged out and will be redirected to our homepage in 5 seconds.","U bent uitgelogd en zult doorverwezen worden naar onze webpagina in 5 seconden." -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.","Door een account aan te maken bij onze winkel, kunt u sneller afrekenen, meerdere verzendadressen opgeven, uw bestellingen bekijken en tracken en meer." -"Date of Birth",Geboortedatum -DD,DD -MM,MM -YYYY,YYYY -Gender,Geslacht -"Tax/VAT number","Belasting/VAT nummer" -"Subscribe to Newsletter","Aanmelden voor nieuwsbrief" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,Groep -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter","Afmelden van nieuwsbrief" -"Assign a Customer Group","Wijs een Klantgroep Toe" -Phone,Telefoon -ZIP,Postcode -"Customer Since","Klant sinds" -n/a,n.v.t. -"Session Start Time","Sessie Start Tijd" -"Last Activity","Laatste Activiteit" -"Last URL","Laatste URL" -"Edit Account Information","Bewerk Account Informatie" -"Forgot Your Password","Uw Wachtwoord Vergeten" -"Password forgotten","Wachtwoord vergeten" -"My Dashboard","Mijn Dashboard" -"You are now logged out","U bent nu uitgelogd" -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/Customer/i18n/pt_BR.csv b/app/code/Magento/Customer/i18n/pt_BR.csv deleted file mode 100644 index e3f1d8e704a73..0000000000000 --- a/app/code/Magento/Customer/i18n/pt_BR.csv +++ /dev/null @@ -1,418 +0,0 @@ -All,Todos -Cancel,Cancelar -"Create Order","Criar Pedido" -Back,Voltar -Product,"Nome do produto" -Price,Preço -Quantity,Quant. -ID,"ID do Produto" -SKU,"Unidade de Manutenção de Estoque" -Configure,Configurar -Customers,Clientes -"Shopping Cart","Carrinho de compras" -No,No -Qty,Qty -Action,Ação -Total,Total -"No item specified.","Nenhum item especificado." -"Are you sure that you want to remove this item?","Tem certeza de que deseja remover este item?" -Edit,Editar -Orders,Ordens -"New Customers","Novos clientes" -Customer,Cliente -"Grand Total","Total geral" -"Lifetime Sales","Vendas de Vida Inteira" -"All Store Views","Todas as Visualizações da Loja" -"My Account","Minha Conta" -"Account Information","Informações da Conta" -"First Name","Primeiro nome" -"Last Name","Último nome" -Email,E-mail -"New Password","Nova senha" -"Delete File","Delete File" -Delete,Excluir -Save,Salvar -Store,Loja -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,Nome -Status,Status -"Save and Continue Edit","Salvar e continuar a editar" -"Store View","Visualização da loja" -Type,Tipo -Submit,Enviar -"You deleted the customer.","You deleted the customer." -"IP Address","Endereço de IP" -Order,"Ordem #" -"Customer View","Visualização do cliente" -"Personal Information","Informações pessoais" -View,Ver -"* Required Fields","* Campos obrigatórios" -Day,Dia -Month,Mês -Year,Ano -label,label -Global,Global -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group","Grupo de Clientes" -"End Date","Final de boletim informativo" -"Customer Groups","Grupos do cliente" -Country,País -State/Province,Estado/Província -"Please select region, state or province","Selecione a região, estado ou província" -City,Cidade -"Zip/Postal Code","Zip/Código Postal" -"Email Address","Endereço de e-mail" -Company,Companhia -"VAT Number","Número VAT" -Address,Endereço -"Street Address","Endereço da rua" -"Street Address %1","Street Address %1" -Telephone,Telephone -Fax,Fax -Password,Senha -"Confirm Password","Confirmar a senha" -Login,Conectar-se -"Forgot Your Password?","Esqueceu a senha?" -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information","Informações de contato" -"Log Out",Sair -"Log In",Entrar -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.","Você ainda não assinou o nosso boletim informativo." -"You have not set a default shipping address.","Você não definiu um endereço de envio." -"You have not set a default billing address.","Você não configurou um endereço de faturamento padrão." -"Address Book","Livro de Endereços" -"Edit Address","Editar endereço" -"Add New Address","Adicionar Novo Endereço" -region,region -"Add New Customer","Adicionar Novo Cliente" -"Save Customer","Salvar cliente" -"Delete Customer","Excluir Cliente" -"Reset Password","Reset Password" -"New Customer","Novo Cliente" -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select","Favor selecionar" -"Send Welcome Email","Enviar e-mail de boas-vindas" -"Send From","Enviar De" -"Send Welcome Email after Confirmation","Enviar e-mail de boas-vindas após confirmação" -"Delete Address","Apagar endereço" -"Edit Customer's Address","Editar o endereço do cliente" -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information","Informações de boletim à imprensa" -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed","Last Date Subscribed" -"Last Date Unsubscribed","Última Data de Cancelamento" -"No Newsletter Found","Nenhum boletim informativo foi encontrado" -"Start date","Start date" -"Receive Date","Boletim informativo recebido" -Subject,Assunto -Sent,Enviado -"Not Sent","Não Enviado" -Sending,Enviando -Paused,Parado. -Unknown,Desconhecido -"Purchase Date","Comprados Na" -"Bill-to Name","Faturar para Nome" -"Ship-to Name","Ship-to Name" -"Order Total","Total do Pedido" -"Purchase Point","Comprado De" -Never,Nunca -Offline,Offline -Confirmed,Confirmado -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.","O cliente não tem endereço de cobrança predefinido." -"Recent Orders","Pedidos Recentes" -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment","Não há itens no carrinho de compras do cliente no momento" -"Shipped-to Name","Shipped-to Name" -"Deleted Stores","Excluir Lojas" -"There are no items in customer's wishlist at the moment","No momento não há itens na lista de desejos do cliente" -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information","Dados do Cliente" -Addresses,Endereços -Wishlist,"Lista de presentes" -Newsletter,Newsletter -"Product Reviews","Comentários sobre Produto" -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries","Todos os países" -"Add New Customer Group","Adicionar Novo Grupo de Clientes" -"Save Customer Group","Salvar grupo de cliente" -"Delete Customer Group","Excluir Grupo de Clientes" -"New Customer Group","Novo grupo de cliente" -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information","Informação de Grupo" -"Group Name","Nome de Grupo" -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class","Classe de Impostos" -"Customers Only","Apenas Clientes" -"Visitors Only","Apenas visitantes" -Visitor,Visitante -"The customer is currently assigned to Customer Group %s.","O cliente está atualmente atribuído ao grupo de clientes %s." -"Would you like to change the Customer Group for this order?","Gostaria de alterar o grupo de cliente para este pedido?" -"The VAT ID is valid. The current Customer Group will be used.","A ID de VAT é válida. O grupo de clientes atual será usado." -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","Ocorreu um erro ao validar a ID do VAT." -"Validate VAT Number","Validar número de VAT" -"Customer Login","Login do cliente" -"Create New Customer Account","Criar Nova Conta de Cliente" -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.","Acesso ou senha inválida." -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.","Acesso e senha são obrigatórios." -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.","Não é possível salvar o cliente." -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.","Mau pedido." -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.","Por favor, verifique seu email para a chave de confirmação." -"This email does not require confirmation.","Este email não requer confirmação." -"Wrong email.","E-mail errado." -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.","Por favor insira seu email." -"Your password reset link has expired.","Seu link de configuração de senha expirou." -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.","O campo de preenchimento de nova senha não pode ser deixado em branco." -"Your password has been updated.","A sua senha foi atualizada." -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.","As informações da conta foram salvas." -"The address has been saved.","O endereço foi salvo." -"Cannot save address.","Não é possível salvar endereços." -"The address has been deleted.","O endereço foi apagado." -"An error occurred while deleting the address.","Ocorreu um erro enquanto apagando este endereço." -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group","Novo Grupo" -"New Customer Groups","Grupos do Novo Cliente" -"Edit Group","Editar grupo" -"Edit Customer Groups","Editar grupos de cliente" -"The customer group has been saved.","O grupo de clientes foi salvo." -"The customer group has been deleted.","O grupo de clientes foi apagado." -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers","Gerenciar clientes" -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.","Por favor informe o primeiro nome." -"Please enter the last name.","Por favor informe o último nome." -"Please enter the street.","Insira a rua." -"Please enter the city.","Insira a cidade." -"Please enter the telephone number.","Insira o número de telefone." -"Please enter the zip/postal code.","Insira o CEP." -"Please enter the country.","Insira o país." -"Please enter the state/province.","Insira o estado." -"Per Website","Por Site Web" -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.","Não é possível compartilhar contas de clientes globalmente porque alguns clientes existem em vários sites com mesmas contas de email e não podem ser misturados." -"This account is not confirmed.","Essa conta não está confirmada." -"Wrong transactional account email type","O tipo de e-mail de conta transacional está errado" -"The first name cannot be empty.","O primeiro nome não pode ficar vazio." -"The last name cannot be empty.","O último nome não pode ficar vazio." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.","Necessária a data de nascimento." -"The TAX/VAT number is required.","Necessário o número de VAT/TAX." -"Gender is required.","Sexo necessário" -"Invalid password reset token.","Senha inválida reconfigure vale." -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,Admin -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required","É necessário o e-mail do cliente" -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope","O ID do site do cliente deve ser especificado ao utilizar o escopo do site" -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses","Endereços do cliente" -"Are you sure you want to delete this address?","Tem certeza de que deseja excluir este endereço?" -"Set as Default Billing Address","Definir como endereço padrão de faturamento" -"Default Billing Address","Endereço padrão de faturamento" -"Set as Default Shipping Address","Ajustar como endereço de entrega padrão" -"Default Shipping Address","Endereço padrão de entrega" -"New Customer Address","Endereço do Novo Cliente" -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics","Estatísticas de vendas" -"Average Sale","Venda Média" -"Manage Addresses","Gerenciar endereços" -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.","No Painel da Minha Conta é possível visualizar um resumo das atividades recentes da sua conta e atualizar as informações da conta. Selecione o link abaixo para visualizar ou editar as informações." -"Change Password","Alterar senha" -Newsletters,"Boletins informativos" -"You are currently subscribed to 'General Subscription'.","Você está atualmente inscrito em ""Assinatura Geral""." -"You are currently not subscribed to any newsletter.","Você não está inscrito em nenhum boletim informativo." -"Default Addresses","Endereço padrão" -"Change Billing Address","Alterar o endereço de faturamento" -"You have no default billing address in your address book.","Você não tem endereço de cobrança padrão no seu livro de endereços." -"Change Shipping Address","Alterar endereço de remessa" -"You have no default shipping address in your address book.","Você não tem endereço de entrega padrão no seu livro de endereços." -"Additional Address Entries","Entradas Adicionais de Endereço" -"You have no additional address entries in your address book.","Você não tem nenhuma entrada de endereço adicional no seu livro de endereços." -"Use as my default billing address","Use como meu endereço de cobrança padrão" -"Use as my default shipping address","Use como meu endereço de entrega padrão" -"Save Address","Salvar endereço" -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link","Enviar link de confirmação" -"Back to Login","Voltar à Entrada" -"Current Password","Senha atual" -"Confirm New Password","Confirmar a nova senha" -"Please enter your email address below. You will receive a link to reset your password.","Por favor informe o seu endereço de e-mail abaixo. Você receberá um link para redefinir sua senha." -"Registered Customers","Clientes cadastrados" -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription","Assinatura geral" -"Sign Up for Newsletter","Assinar o boletim informativo" -"Address Information","Informações de Endereço" -"Login Information","Informações de login" -"Create account","Create account" -"Reset a Password","Redefinir uma senha" -"You have logged out and will be redirected to our homepage in 5 seconds.","Você se desconectou e será redirecionado para a nossa página inicial em 5 segundos." -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.","Ao criar uma conta na nossa loja, você será capaz de se mover através do processo de compra mais rapidamente, armazenar múltiplos endereços de envio, ver e rastrear seus pedidos em sua conta e muito mais." -"Date of Birth","Data de aniversário" -DD,DD -MM,MM -YYYY,YYYY -Gender,Sexo -"Tax/VAT number","Número de Taxas/IVA" -"Subscribe to Newsletter","Assinar o Boletim Informativo" -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,Grupo -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter","Cancelar a assinatura do boletim informativo" -"Assign a Customer Group","Atribuir um Grupo de Clientes" -Phone,Telefone -ZIP,CEP -"Customer Since","Cliente desde" -n/a,n/d -"Session Start Time","Horário de início da sessão" -"Last Activity","Última atividade" -"Last URL","Último URL" -"Edit Account Information","Editar informações da conta" -"Forgot Your Password","Esqueceu a senha" -"Password forgotten","Senha esquecida" -"My Dashboard","Meu Painel" -"You are now logged out","Agora você está desconectado" -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv b/app/code/Magento/Customer/i18n/zh_Hans_CN.csv deleted file mode 100644 index 927f8db240678..0000000000000 --- a/app/code/Magento/Customer/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,418 +0,0 @@ -All,全部 -Cancel,取消 -"Create Order",创建订单 -Back,返回 -Product,产品 -Price,价格 -Quantity,Quantity -ID,ID -SKU,SKU -Configure,配置 -Customers,客户 -"Shopping Cart",购物车 -No,No -Qty,数量 -Action,操作 -Total,总数 -"No item specified.",未指定项目 -"Are you sure that you want to remove this item?",您是否确认要删除该内容? -Edit,编辑 -Orders,订单 -"New Customers",新客户 -Customer,客户 -"Grand Total",总计 -"Lifetime Sales",终生销售 -"All Store Views",所有店铺视图 -"My Account",我的帐户 -"Account Information",帐户信息 -"First Name",名字 -"Last Name",姓氏 -Email,电子邮件 -"New Password",新密码 -"Delete File","Delete File" -Delete,删除 -Save,保存 -Store,商店 -"-- Please Select --","-- Please Select --" -Yes,Yes -"Web Site","Web Site" -Name,姓名 -Status,状态 -"Save and Continue Edit",保存并继续编辑 -"Store View",店铺视图 -Type,类型 -Submit,提交 -"You deleted the customer.","You deleted the customer." -"IP Address",IP地址 -Order,Order -"Customer View",客户视图 -"Personal Information",个人信息 -View,查看 -"* Required Fields",*必要字段 -Day,天 -Month,月 -Year,年 -label,label -Global,全球 -Change,Change -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Customer Group",客户组 -"End Date","End Date" -"Customer Groups",客户组 -Country,国家 -State/Province,州/省 -"Please select region, state or province",请选择地区、州,或省 -City,城市 -"Zip/Postal Code",邮政编码 -"Email Address",编辑电子邮件地址 -Company,公司 -"VAT Number","VAT 编号" -Address,地址 -"Street Address",街道地址 -"Street Address %1","Street Address %1" -Telephone,电话 -Fax,传真 -Password,密码 -"Confirm Password",确认密码 -Login,登录 -"Forgot Your Password?",忘记您的密码? -Register,Register -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -"Contact Information",联系信息 -"Log Out",注销 -"Log In",登录 -"You subscribe to our newsletter.","You subscribe to our newsletter." -"You are currently not subscribed to our newsletter.",您目前没有订阅我们的时事通讯。 -"You have not set a default shipping address.",您尚未设置默认的运送地址。 -"You have not set a default billing address.",您还没有设置默认的账单地址。 -"Address Book",地址薄 -"Edit Address",编辑地址 -"Add New Address",添加新地址 -region,region -"Add New Customer",添加新客户 -"Save Customer",保存客户 -"Delete Customer",删除客户 -"Reset Password","Reset Password" -"New Customer",新顾客 -"or ","or " -" Send auto-generated password"," Send auto-generated password" -"Please select",请选择 -"Send Welcome Email",发送欢迎邮件 -"Send From",发送自 -"Send Welcome Email after Confirmation",在确认后发送欢迎邮件 -"Delete Address",删除地址 -"Edit Customer's Address",编辑客户的地址 -"Shopping Cart from %1","Shopping Cart from %1" -"Newsletter Information",新闻邮件信息 -"Subscribed to Newsletter","Subscribed to Newsletter" -"Last Date Subscribed",上次订阅的日期 -"Last Date Unsubscribed",上次退订的日期 -"No Newsletter Found",未找到新闻邮件 -"Start date","Start date" -"Receive Date","Receive Date" -Subject,主题 -Sent,已发送 -"Not Sent",未发送 -Sending,正在发送 -Paused,已暂停 -Unknown,未知 -"Purchase Date","Purchase Date" -"Bill-to Name","Bill-to Name" -"Ship-to Name","Ship-to Name" -"Order Total",订单总数 -"Purchase Point","Purchase Point" -Never,永不 -Offline,离线 -Confirmed,已确认 -"Confirmation Required","Confirmation Required" -"Confirmation Not Required","Confirmation Not Required" -Indeterminate,Indeterminate -"The customer does not have default billing address.",客户未设置默认账单地址。 -"Recent Orders",近期订单 -"Shopping Cart - %1 item(s)","Shopping Cart - %1 item(s)" -"Shopping Cart of %1 - %2 item(s)","Shopping Cart of %1 - %2 item(s)" -"Wishlist - %1 item(s)","Wishlist - %1 item(s)" -"There are no items in customer's shopping cart at the moment",客户的购物车中目前没内容 -"Shipped-to Name","Shipped-to Name" -"Deleted Stores",删除店铺 -"There are no items in customer's wishlist at the moment",客户的愿望清单中目前没内容 -"Add Locale","Add Locale" -"Add Date","Add Date" -"Days in Wish List","Days in Wish List" -"Customer Information",客户信息 -Addresses,地址 -Wishlist,愿望清单 -Newsletter,新闻邮件 -"Product Reviews",产品评测 -Download,Download -"Delete Image","Delete Image" -"View Full Size","View Full Size" -"All countries",所有国家 -"Add New Customer Group",添加新客户群组 -"Save Customer Group",保存客户群组 -"Delete Customer Group",删除客户组 -"New Customer Group",新客户组 -"Edit Customer Group ""%1""","Edit Customer Group ""%1""" -"Group Information",群组信息 -"Group Name",群组名称 -"Maximum length must be less then %1 symbols","Maximum length must be less then %1 symbols" -"Tax Class",税率 -"Customers Only",仅限客户 -"Visitors Only",仅限访客 -Visitor,访客 -"The customer is currently assigned to Customer Group %s.","该顾客被分配到顾客群体 %s。" -"Would you like to change the Customer Group for this order?",你是否想更改该订单的顾客群体? -"The VAT ID is valid. The current Customer Group will be used.","VAT ID 有效。将使用当前的顾客群体。" -"Based on the VAT ID, ' 'the customer would belong to the Customer Group %s.","Based on the VAT ID, ' 'the customer would belong to the Customer Group %s." -"The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s.","The VAT ID entered (%s) is not a valid VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s.","There was an error validating the VAT ID. ' 'The customer would belong to Customer Group %s." -"There was an error validating the VAT ID.","验证 VAT ID 时出错。" -"Validate VAT Number","验证 VAT 号码" -"Customer Login",客户登录 -"Create New Customer Account",创建新客户帐户 -"This account is not confirmed.' ' Click here to resend confirmation email.","This account is not confirmed.' ' Click here to resend confirmation email." -"Invalid login or password.",无效的登录名或密码。 -"There was an error validating the login and password.","There was an error validating the login and password." -"Login and password are required.",需要登录和密码。 -"Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here.","Account confirmation is required. Please, check your email for the confirmation link. To resend the confirmation email please click here." -"There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account.","There is already an account with this email address. If you are sure that it is your email address, click here to get your password and access your account." -"Cannot save the customer.",无法保存客户。 -"Thank you for registering with %1.","Thank you for registering with %1." -"If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you shipping address for proper VAT calculation" -"If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation","If you are a registered VAT customer, please click here to enter you billing address for proper VAT calculation" -"Bad request.",请求有误。 -"This confirmation key is invalid or has expired.","This confirmation key is invalid or has expired." -"There was an error confirming the account","There was an error confirming the account" -"Please, check your email for confirmation key.",请检查您的电子邮件以获取确认密钥。 -"This email does not require confirmation.",该电子邮件不需要确认。 -"Wrong email.",邮件有误。 -"Please correct the email address.","Please correct the email address." -"Unable to send password reset email.","Unable to send password reset email." -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Please enter your email.",请输入您的电子邮件。 -"Your password reset link has expired.",你的密码重设链接已过期。 -"New Password and Confirm New Password values didn't match.","New Password and Confirm New Password values didn't match." -"New password field cannot be empty.",新密码字段不能为空。 -"Your password has been updated.",你的密码已更新。 -"There was an error saving the new password.","There was an error saving the new password." -"A problem was encountered trying to change password.","A problem was encountered trying to change password." -"Confirm your new password","Confirm your new password" -"Invalid input","Invalid input" -"The account information has been saved.",帐户信息已保存。 -"The address has been saved.",地址已保存。 -"Cannot save address.",无法保存地址。 -"The address has been deleted.",地址已删除。 -"An error occurred while deleting the address.",删除该地址时遇到了错误。 -"No customer ID defined.","No customer ID defined." -"Please correct the quote items and try again.","Please correct the quote items and try again." -"New Group",新组 -"New Customer Groups",新建客户组 -"Edit Group",编辑组 -"Edit Customer Groups",编辑客户组 -"The customer group has been saved.",客户群组已保存。 -"The customer group has been deleted.",客户组已删除。 -"The customer group no longer exists.","The customer group no longer exists." -"Manage Customers",管理客户 -"An error occurred while editing the customer.","An error occurred while editing the customer." -"You saved the customer.","You saved the customer." -"An error occurred while saving the customer.","An error occurred while saving the customer." -"Customer will receive an email with a link to reset password.","Customer will receive an email with a link to reset password." -"An error occurred while resetting customer password.","An error occurred while resetting customer password." -"A total of %1 record(s) were deleted.","A total of %1 record(s) were deleted." -"Please select customer(s).","Please select customer(s)." -"No wishlist item ID is defined.","No wishlist item ID is defined." -"Please load the wish list item.","Please load the wish list item." -"PHP SOAP extension is required.","PHP SOAP extension is required." -"Please enter the first name.",请输入名字。 -"Please enter the last name.",请输入姓氏。 -"Please enter the street.",请输入街道。 -"Please enter the city.",请输入城市。 -"Please enter the telephone number.",请输入电话号码。 -"Please enter the zip/postal code.",请输入邮编。 -"Please enter the country.",请输入国家。 -"Please enter the state/province.",请输入州/省。 -"Per Website",每网站 -"Cannot share customer accounts globally because some customer accounts with the same emails exist on multiple websites and cannot be merged.",无法全局分享客户帐户,因为某些客户的帐户所用的邮件地址在多个网站是相同的,无法合并。 -"This account is not confirmed.",该帐户尚未确认。 -"Wrong transactional account email type",错误的交易账户电子邮件类型 -"The first name cannot be empty.",名字不能为空。 -"The last name cannot be empty.",姓氏不能为空。 -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"The Date of Birth is required.",需提供生日。 -"The TAX/VAT number is required.","需提供 TAX/VAT 号码。" -"Gender is required.",需提供性别信息。 -"Invalid password reset token.",无效的密码重设令牌。 -"The password must have at least %1 characters.","The password must have at least %1 characters." -"The password can not begin or end with a space.","The password can not begin or end with a space." -Admin,管理员 -"Attribute object is undefined","Attribute object is undefined" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" is not a valid image format.","""%1"" is not a valid image format." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Customer email is required",需要客户邮件 -"Customer with the same email already exists in associated website.","Customer with the same email already exists in associated website." -"Customer website ID must be specified when using the website scope",使用网站范围时必须指定客户网站ID -"The group ""%1"" cannot be deleted","The group ""%1"" cannot be deleted" -"Password doesn't match for this account.","Password doesn't match for this account." -"Customer Group already exists.","Customer Group already exists." -"VAT Number is Invalid","VAT Number is Invalid" -"VAT Number is Valid","VAT Number is Valid" -"Customer Addresses",客户地址 -"Are you sure you want to delete this address?",您是否确认要删除该地址? -"Set as Default Billing Address",设置为默认账单地址 -"Default Billing Address",默认账单地址 -"Set as Default Shipping Address",设置为默认运送地址 -"Default Shipping Address",默认送货地址 -"New Customer Address",新建客户地址 -"Last Logged In:","Last Logged In:" -"Last Logged In (%1):","Last Logged In (%1):" -"Confirmed email:","Confirmed email:" -"Account Created on:","Account Created on:" -"Account Created on (%1):","Account Created on (%1):" -"Account Created in:","Account Created in:" -"Customer Group:","Customer Group:" -"Sales Statistics",销售数据统计 -"Average Sale",平均销售 -"Manage Addresses",管理地址 -"Hello, %1!","Hello, %1!" -"From your My Account Dashboard you have the ability to view a snapshot of your recent account activity and update your account information. Select a link below to view or edit information.",在您的我的帐户仪表板中,您可以查看最近帐户活动的快照,并更新帐户信息。选择下面的链接以查看或修改信息。 -"Change Password",更改密码 -Newsletters,新闻邮件 -"You are currently subscribed to 'General Subscription'.",您当前已订阅“常规订阅”。 -"You are currently not subscribed to any newsletter.",您当前没有订阅任何新闻通讯。 -"Default Addresses",默认地址 -"Change Billing Address",更改账单地址 -"You have no default billing address in your address book.",您的地址薄中没有默认账单地址。 -"Change Shipping Address",更改送货地址 -"You have no default shipping address in your address book.",您的地址薄中没有默认运送地址。 -"Additional Address Entries",额外地址行 -"You have no additional address entries in your address book.",您的地址薄中没有额外的地址条目。 -"Use as my default billing address",使用并作为我的默认账单地址 -"Use as my default shipping address",使用并作为我的默认运送地址 -"Save Address",保存地址 -"Go back","Go back" -"Please enter your email below and we will send you the confirmation link for it.","Please enter your email below and we will send you the confirmation link for it." -"Send confirmation link",发送确认链接 -"Back to Login",返回到登录界面 -"Current Password",当前密码 -"Confirm New Password",确认新密码 -"Please enter your email address below. You will receive a link to reset your password.",请在下面输入你的电子邮件地址。你将收到一个重置密码的链接。 -"Registered Customers",已注册的客户 -"If you have an account with us, log in using your email address.","If you have an account with us, log in using your email address." -"Subscription option","Subscription option" -"General Subscription",常规订阅 -"Sign Up for Newsletter",订阅新闻邮件 -"Address Information",地址信息 -"Login Information",登录信息 -"Create account","Create account" -"Reset a Password",重置密码 -"You have logged out and will be redirected to our homepage in 5 seconds.",您已退出,5秒钟内会回到首页。 -"By creating an account with our store, you will be able to move through the checkout process faster, store multiple shipping addresses, view and track your orders in your account and more.",通过在我们的店铺中创建帐户,您将能用更快速度结账,保存多个送货地址,并可在您的帐户中查看并追踪您的订单,还有更多功能。 -"Date of Birth",出生日期 -DD,DD -MM,MM -YYYY,YYYY -Gender,性别 -"Tax/VAT number",税/增值税号码 -"Subscribe to Newsletter",订阅到新闻通讯 -"Recovery Link Expiration Period (days)","Recovery Link Expiration Period (days)" -"Please enter a number 1 or greater in this field.","Please enter a number 1 or greater in this field." -"Email Sender","Email Sender" -"Customer Configuration","Customer Configuration" -"Account Sharing Options","Account Sharing Options" -"Share Customer Accounts","Share Customer Accounts" -"Leave empty for default (15 minutes).","Leave empty for default (15 minutes)." -"Create New Account Options","Create New Account Options" -"Enable Automatic Assignment to Customer Group","Enable Automatic Assignment to Customer Group" -"To show VAT number on frontend, set Show VAT Number on Frontend option to Yes.","To show VAT number on frontend, set Show VAT Number on Frontend option to Yes." -"Tax Calculation Based On","Tax Calculation Based On" -"Default Group","Default Group" -"Group for Valid VAT ID - Domestic","Group for Valid VAT ID - Domestic" -"Group for Valid VAT ID - Intra-Union","Group for Valid VAT ID - Intra-Union" -"Group for Invalid VAT ID","Group for Invalid VAT ID" -"Validation Error Group","Validation Error Group" -"Validate on Each Transaction","Validate on Each Transaction" -"Default Value for Disable Automatic Group Changes Based on VAT ID","Default Value for Disable Automatic Group Changes Based on VAT ID" -"Show VAT Number on Frontend","Show VAT Number on Frontend" -"Default Email Domain","Default Email Domain" -"Default Welcome Email","Default Welcome Email" -"Require Emails Confirmation","Require Emails Confirmation" -"Confirmation Link Email","Confirmation Link Email" -"Welcome Email","Welcome Email" -"This email will be sent instead of default welcome email, after account confirmation.","This email will be sent instead of default welcome email, after account confirmation." -"Generate Human-Friendly Customer ID","Generate Human-Friendly Customer ID" -"Password Options","Password Options" -"Forgot Email Template","Forgot Email Template" -"Remind Email Template","Remind Email Template" -"Reset Password Template","Reset Password Template" -"Password Template Email Sender","Password Template Email Sender" -"Name and Address Options","Name and Address Options" -"Number of Lines in a Street Address","Number of Lines in a Street Address" -"Leave empty for default (2). Valid range: 1-4","Leave empty for default (2). Valid range: 1-4" -"Show Prefix","Show Prefix" -"The title that goes before name (Mr., Mrs., etc.)","The title that goes before name (Mr., Mrs., etc.)" -"Prefix Dropdown Options","Prefix Dropdown Options" -" - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - "," - Semicolon (;) separated values.
Put semicolon in the beginning for empty first option.
Leave empty for open text field. - " -"Show Middle Name (initial)","Show Middle Name (initial)" -"Always optional.","Always optional." -"Show Suffix","Show Suffix" -"The suffix that goes after name (Jr., Sr., etc.)","The suffix that goes after name (Jr., Sr., etc.)" -"Suffix Dropdown Options","Suffix Dropdown Options" -"Show Date of Birth","Show Date of Birth" -"Show Tax/VAT Number","Show Tax/VAT Number" -"Show Gender","Show Gender" -"Login Options","Login Options" -"Redirect Customer to Account Dashboard after Logging in","Redirect Customer to Account Dashboard after Logging in" -"Customer will stay on the current page if ""No"" is selected.","Customer will stay on the current page if ""No"" is selected." -"Address Templates","Address Templates" -Group,分组 -"Are you sure you want to delete?","Are you sure you want to delete?" -"Unsubscribe from Newsletter",退订新闻邮件 -"Assign a Customer Group",分配客户组 -Phone,Phone -ZIP,邮编 -"Customer Since",客户加入日期 -n/a,不可用 -"Session Start Time",会话开始时间 -"Last Activity",上次活动 -"Last URL",最后一个URL -"Edit Account Information",修改帐户信息 -"Forgot Your Password",忘记您的密码 -"Password forgotten",密码忘记 -"My Dashboard",我的仪表板 -"You are now logged out",您已注销 -"All Customers", "All Customers" -"Now Online", "Now Online" diff --git a/app/code/Magento/CustomerImportExport/i18n/de_DE.csv b/app/code/Magento/CustomerImportExport/i18n/de_DE.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/de_DE.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/CustomerImportExport/i18n/es_ES.csv b/app/code/Magento/CustomerImportExport/i18n/es_ES.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/es_ES.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/CustomerImportExport/i18n/fr_FR.csv b/app/code/Magento/CustomerImportExport/i18n/fr_FR.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/fr_FR.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/CustomerImportExport/i18n/nl_NL.csv b/app/code/Magento/CustomerImportExport/i18n/nl_NL.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/nl_NL.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/CustomerImportExport/i18n/pt_BR.csv b/app/code/Magento/CustomerImportExport/i18n/pt_BR.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/pt_BR.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/CustomerImportExport/i18n/zh_Hans_CN.csv b/app/code/Magento/CustomerImportExport/i18n/zh_Hans_CN.csv deleted file mode 100644 index d1c02bb98f9b2..0000000000000 --- a/app/code/Magento/CustomerImportExport/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,17 +0,0 @@ -"Website is not specified","Website is not specified" -"E-mail is not specified","E-mail is not specified" -"Invalid value in website column","Invalid value in website column" -"E-mail is invalid","E-mail is invalid" -"Required attribute '%s' has an empty value","Required attribute '%s' has an empty value" -"Customer with such email and website code doesn't exist","Customer with such email and website code doesn't exist" -"Customer address id column is not specified","Customer address id column is not specified" -"Customer address for such customer doesn't exist","Customer address for such customer doesn't exist" -"Region is invalid","Region is invalid" -"Row with such email, website and address id combination was already found.","Row with such email, website and address id combination was already found." -"E-mail is duplicated in import file","E-mail is duplicated in import file" -"Orphan rows that will be skipped due default row errors","Orphan rows that will be skipped due default row errors" -"Invalid value in Store column (store does not exists?)","Invalid value in Store column (store does not exists?)" -"E-mail and website combination is not found","E-mail and website combination is not found" -"Invalid password length","Invalid password length" -CSV,CSV -"Excel XML","Excel XML" diff --git a/app/code/Magento/Dhl/i18n/de_DE.csv b/app/code/Magento/Dhl/i18n/de_DE.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/de_DE.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Dhl/i18n/es_ES.csv b/app/code/Magento/Dhl/i18n/es_ES.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/es_ES.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Dhl/i18n/fr_FR.csv b/app/code/Magento/Dhl/i18n/fr_FR.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/fr_FR.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Dhl/i18n/nl_NL.csv b/app/code/Magento/Dhl/i18n/nl_NL.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/nl_NL.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Dhl/i18n/pt_BR.csv b/app/code/Magento/Dhl/i18n/pt_BR.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/pt_BR.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Dhl/i18n/zh_Hans_CN.csv b/app/code/Magento/Dhl/i18n/zh_Hans_CN.csv deleted file mode 100644 index 296ef09b6b82f..0000000000000 --- a/app/code/Magento/Dhl/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,79 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exceeds %1 %2 to ensure accurate calculation of shipping charges." -"Wrong Content Type","Wrong Content Type" -Pounds,Pounds -Kilograms,Kilograms -Inches,Inches -Centimeters,Centimeters -inch,inch -cm,cm -Height,Height -Depth,Depth -Width,Width -Regular,Regular -Specific,Specific -"Easy shop","Easy shop" -Sprintline,Sprintline -Secureline,Secureline -"Express easy","Express easy" -Europack,Europack -"Break bulk express","Break bulk express" -"Medical express","Medical express" -"Express worldwide","Express worldwide" -"Express 9:00","Express 9:00" -"Express 10:30","Express 10:30" -"Domestic economy select","Domestic economy select" -"Economy select","Economy select" -"Break bulk economy","Break bulk economy" -"Domestic express","Domestic express" -Others,Others -"Globalmail business","Globalmail business" -"Same day","Same day" -"Express 12:00","Express 12:00" -"Express envelope","Express envelope" -"Customer services","Customer services" -Jetline,Jetline -"Freight worldwide","Freight worldwide" -"Jumbo box","Jumbo box" -"DHL service is not available at %s date","DHL service is not available at %s date" -"The response is in wrong format.","The response is in wrong format." -"Error #%1 : %2","Error #%1 : %2" -"We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency).","We had to skip DHL method %1 because we couldn't find exchange rate %2 (Base Currency)." -"Zero shipping charge for '%1'","Zero shipping charge for '%1'" -DHL,DHL -"Cannot identify measure unit for %1","Cannot identify measure unit for %1" -"Cannot identify weight unit for %1","Cannot identify weight unit for %1" -"There is no items in this order","There is no items in this order" -"Please, specify origin country","Please, specify origin country" -Documents,Documents -"Non Documents","Non Documents" -"Height, width and length should be equal or greater than %1","Height, width and length should be equal or greater than %1" -"Wrong Region","Wrong Region" -"Unable to retrieve tracking","Unable to retrieve tracking" -"Response is in the wrong format","Response is in the wrong format" -"No packages for request","No packages for request" -"Non documents","Non documents" -Size,Size -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Access ID","Access ID" -"Account Number","Account Number" -"Content Type","Content Type" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package.","""Per Order"" allows a single handling fee for the entire order. ""Per Package"" allows an individual handling fee for each package." -"Handling Fee","Handling Fee" -"Divide Order Weight","Divide Order Weight" -"This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges.","This allows breaking total order weight into smaller pieces if it exeeds 70 kg to ensure accurate calculation of shipping charges." -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" diff --git a/app/code/Magento/Directory/i18n/de_DE.csv b/app/code/Magento/Directory/i18n/de_DE.csv deleted file mode 100644 index 5672c2d46face..0000000000000 --- a/app/code/Magento/Directory/i18n/de_DE.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,"Bundesstaat/ Provinz" -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,Währung -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:","SCHWERWIEGENER FEHLER:" -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,WARNUNG: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique","Die Kombination aus Land und Formattyp sollte unverwechselbar sein" -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Directory/i18n/es_ES.csv b/app/code/Magento/Directory/i18n/es_ES.csv deleted file mode 100644 index e6edc54022247..0000000000000 --- a/app/code/Magento/Directory/i18n/es_ES.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,Estado/Provincia -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,Divisa -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:","ERROR FATAL:" -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,AVISO: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique","La combinación de tipo de formato y país debe ser única" -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Directory/i18n/fr_FR.csv b/app/code/Magento/Directory/i18n/fr_FR.csv deleted file mode 100644 index b5f66c26efd1c..0000000000000 --- a/app/code/Magento/Directory/i18n/fr_FR.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,État/province -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,Devise -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:","ERREUR FATALE:" -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,AVERTISSEMENT: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique","Pays et combinaison de type de format devrait être unique" -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Directory/i18n/nl_NL.csv b/app/code/Magento/Directory/i18n/nl_NL.csv deleted file mode 100644 index 2e035054ada67..0000000000000 --- a/app/code/Magento/Directory/i18n/nl_NL.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,Staat/Provincie -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,Munteenheid -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:","FATALE FOUTMELDING:" -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,WAARSCHUWING: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique","Land en Format Type combinatie behoren uniek te zijn" -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Directory/i18n/pt_BR.csv b/app/code/Magento/Directory/i18n/pt_BR.csv deleted file mode 100644 index e40bfbf2f8c02..0000000000000 --- a/app/code/Magento/Directory/i18n/pt_BR.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,Estado/Província -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,Moeda -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:","ERRO CRÍTICO:" -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,ATENÇÃO: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique","A combinação do tipo de formato e país devem ser única" -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Directory/i18n/zh_Hans_CN.csv b/app/code/Magento/Directory/i18n/zh_Hans_CN.csv deleted file mode 100644 index 1197be467baab..0000000000000 --- a/app/code/Magento/Directory/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,42 +0,0 @@ -"--Please Select--","--Please Select--" -Enabled,Enabled -label,label -State/Province,州/省 -Continue,Continue -"We can't initialize the import model.","We can't initialize the import model." -Currency,币种 -"Please correct the target currency.","Please correct the target currency." -"Undefined rate from ""%1-%2"".","Undefined rate from ""%1-%2""." -"We can't retrieve a rate from %1.","We can't retrieve a rate from %1." -"FATAL ERROR:",致命错误: -"Please specify the correct Import Service.","Please specify the correct Import Service." -WARNING:,警告: -"Please correct the country code: %1.","Please correct the country code: %1." -"Country and Format Type combination should be unique",国家和格式类型的组合必须是唯一的 -"Please correct the rates received","Please correct the rates received" -"--Please select--","--Please select--" -"Your current currency is: %1.","Your current currency is: %1." -"Start Time","Start Time" -Frequency,Frequency -"Currency Setup","Currency Setup" -"Currency Options","Currency Options" -"Base Currency","Base Currency" -" - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - "," - Base currency is used for all online payment transactions. If you have more than one store view, the base currency scope is defined by the catalog price scope (""Catalog"" > ""Price"" > ""Catalog Price Scope""). - " -"Default Display Currency","Default Display Currency" -"Allowed Currencies","Allowed Currencies" -Webservicex,Webservicex -"Connection Timeout in Seconds","Connection Timeout in Seconds" -"Scheduled Import Settings","Scheduled Import Settings" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -Service,Service -"Installed Currencies","Installed Currencies" -"Zip/Postal Code is Optional for","Zip/Postal Code is Optional for" -"State Options","State Options" -"State is Required for","State is Required for" -"Allow to Choose State if It is Optional for Country","Allow to Choose State if It is Optional for Country" diff --git a/app/code/Magento/Downloadable/i18n/de_DE.csv b/app/code/Magento/Downloadable/i18n/de_DE.csv deleted file mode 100644 index f2ef5fe3e89af..0000000000000 --- a/app/code/Magento/Downloadable/i18n/de_DE.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,Zurück -Price,Preis -SKU,SKU -Qty,Qty -"Excl. Tax","Steuer weglassen" -Total,Total -"Incl. Tax","Steuer inkludieren" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,Datei -"Edit item parameters","Artikelangaben ändern" -Edit,Bearbeiten -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,Löschen -Status,Status -"Sort Order",Sortierreihenfolge -Title,Titel -"Browse Files...","Browse Files..." -"Use Default Value","Standardwert verwenden" -Ordered,Bestellt -Invoiced,"In Rechnung gestellt." -Shipped,Versandt -Refunded,Rückerstattet -Canceled,Storniert -From:,Von: -To:,An: -Availability,Availability -"In stock","Auf Lager" -"Out of stock","Nicht lieferbar" -"Gift Message",Geschenkmitteilung -Message:,Nachricht: -"Add New Row","Neue Zeile hinzufügen" -"See price before order confirmation.","Preis vor Bestellbestätigung ansehen." -"What's this?","Was ist das?" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,Datum -"Upload Files","Upload Files" -"Downloadable Information","Herunterladbare Informationen" -Samples,Samples -Links,Links -Unlimited,Unbegrenzt -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products","Meine herunterladbaren Produkte" -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.","Bitte melden Sie sich an um das Produkt herunterzuladen." -"The link has expired.","Der Link ist abgelaufen." -"The link is not available.","Der Link ist nicht verfügbar." -"Please set resource file and link type.","Bitte setzten Sie Ressourcendatei und Linktyp." -"Invalid download link type.","Ungültiger Downloadlinktyp." -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null","Order-ID kann nicht Null sein" -"Order item id cannot be null","Order-Artikel-ID kann nicht Null sein" -"Please specify product link(s).","Bitte spezifizieren Sie Produktlink(s)." -attachment,Anhang -inline,Inline -Pending,Ausstehend -sample,Probe -"Links can be purchased separately","Links können separat gekauft werden." -"Max. Downloads","Max. Downloads" -Shareable,Mitbenutzbar -Sample,Beispiel -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","Alphanumerische Zeichen, Bindestriche und Unterstriche werden für Dateinamen empfohlen. Unangemessene Zeichen werden durch '_' ersetzt." -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads","Übrige Downloads" -"View Order","Bestellung ansehen" -"Start Download","Download starten" -"You have not purchased any downloadable products yet.","Sie haben noch keine herunterladbaren Produkte gekauft." -download,Download -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Downloadable/i18n/es_ES.csv b/app/code/Magento/Downloadable/i18n/es_ES.csv deleted file mode 100644 index f45ca171ca967..0000000000000 --- a/app/code/Magento/Downloadable/i18n/es_ES.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,Volver -Price,Precio -SKU,SKU -Qty,Qty -"Excl. Tax","Impuestos no incluidos" -Total,Total -"Incl. Tax","Impuestos incluidos" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,Fichero -"Edit item parameters","Editar parámetros del artículo" -Edit,Editar -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,Eliminar -Status,Estado -"Sort Order","Ordenar Pedido" -Title,Título -"Browse Files...","Browse Files..." -"Use Default Value","Usar Valor por Defecto" -Ordered,Pedido -Invoiced,Facturado -Shipped,Enviado -Refunded,Reembolsado -Canceled,Cancelado -From:,Desde: -To:,A: -Availability,Availability -"In stock","En stock" -"Out of stock",Agotado -"Gift Message","Mensaje de Regalo" -Message:,Mensaje: -"Add New Row","Agregar nueva fila" -"See price before order confirmation.","Ver precio antes de la confirmación del pedido." -"What's this?","¿Qué es esto?" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,Fecha -"Upload Files","Upload Files" -"Downloadable Information","Información Descargable" -Samples,Samples -Links,Links -Unlimited,Ilimitado -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products","Mis Productos Descargables" -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.","Por favor, entre en el sistema para descargar su producto." -"The link has expired.","El enlace ha caducado." -"The link is not available.","En enlace no está disponible." -"Please set resource file and link type.","Por favor, asigne el fichero de recurso y el tipo de enlace." -"Invalid download link type.","Tipo de enlace de descarga no válido." -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null","El ID del pedido no puede ser nulo" -"Order item id cannot be null","El ID del artículo del pedido no puede ser nulo" -"Please specify product link(s).","Por favor, especifique el(los) enlace(s) de producto." -attachment,"documento adjunto" -inline,"en línea" -Pending,Pendiente -sample,muestra -"Links can be purchased separately","Los enlaces pueden adquirirse por separado" -"Max. Downloads","Máximo de Descargas" -Shareable,"Se puede compartir" -Sample,muestra -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","Se recomiendan los caracteres alfanuméricos, guión y guión bajo para los nombres de fichero. Los caracteres incorrectos se reemplazarán con '_'." -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads","Descargas Pendientes" -"View Order","Ver Pedido" -"Start Download","Comenzar la Descarga" -"You have not purchased any downloadable products yet.","Todavía no ha adquirido ningún producto descargable." -download,descarga -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Downloadable/i18n/fr_FR.csv b/app/code/Magento/Downloadable/i18n/fr_FR.csv deleted file mode 100644 index 91e1651778524..0000000000000 --- a/app/code/Magento/Downloadable/i18n/fr_FR.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,Retour -Price,Prix -SKU,SKU -Qty,Qty -"Excl. Tax","Taxe non comprise" -Total,Total -"Incl. Tax","Taxe comprise" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,Fichier -"Edit item parameters","Modifier les paramètres de l'objet" -Edit,Éditer -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,Supprimer -Status,Statut -"Sort Order","Trier les widgets" -Title,Titre -"Browse Files...","Browse Files..." -"Use Default Value","Utiliser la valeur par défaut" -Ordered,Commandé -Invoiced,Facturé -Shipped,Envoyé -Refunded,Remboursé -Canceled,Annulé -From:,"De :" -To:,"A :" -Availability,Availability -"In stock","En stock." -"Out of stock",Épuisé -"Gift Message","Message cadeau" -Message:,"Message :" -"Add New Row","Ajouter nouvelle ligne" -"See price before order confirmation.","Voir le prix avant la confirmation de commande." -"What's this?","Qu'est-ce ?" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,Date -"Upload Files","Upload Files" -"Downloadable Information","Information téléchargeables" -Samples,Samples -Links,Links -Unlimited,Illimité -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products","Mes produits téléchargeables" -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.","Identifiez-vous pour télécharger votre produit." -"The link has expired.","Le lien a expiré." -"The link is not available.","Le lien n'est pas disponible." -"Please set resource file and link type.","Choisissez un fichier ressource et un type de lien." -"Invalid download link type.","Type de lien de téléchargement invalide" -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null","L'identifiant de commande ne peut être nul" -"Order item id cannot be null","L'identifiant de commande ne peut être nul" -"Please specify product link(s).","Spécifier un/des lien(s) vers le produit" -attachment,"pièce jointe" -inline,"en cours" -Pending,"En cours" -sample,aperçu -"Links can be purchased separately","Les liens peuvent être achetés séparément." -"Max. Downloads","Téléchargements maximum" -Shareable,Partageable -Sample,échantillon -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","Il est recommandé de n'utiliser que des lettres, des chiffres, le tiret (-) et le blanc souligné (_) pour les noms de fichiers. Les caractères invalides seront remplacés par '_'." -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads","Téléchargements restants" -"View Order","Voir la commande" -"Start Download","Commencer le téléchargement" -"You have not purchased any downloadable products yet.","Vous n'avez pas acheté d'objets téléchargeables." -download,télécharger -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Downloadable/i18n/nl_NL.csv b/app/code/Magento/Downloadable/i18n/nl_NL.csv deleted file mode 100644 index 9c29a6b5afc06..0000000000000 --- a/app/code/Magento/Downloadable/i18n/nl_NL.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,Terug -Price,Prijs -SKU,SKU -Qty,Qty -"Excl. Tax","Excl. BTW" -Total,Total -"Incl. Tax","Incl. BTW" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,Bestand -"Edit item parameters","Parameters van artikel bewerken" -Edit,Bewerken -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,Verwijderen -Status,Status -"Sort Order","Sorteer Bestelling" -Title,Titel -"Browse Files...","Browse Files..." -"Use Default Value","Standaardwaarde gebruiken" -Ordered,Besteld -Invoiced,Gefactureerd -Shipped,Verzonden -Refunded,Terugbetaald -Canceled,Geannuleerd -From:,Van: -To:,Aan: -Availability,Availability -"In stock","In voorraad" -"Out of stock","Uit voorraad" -"Gift Message",Cadeauboodschap -Message:,Bericht: -"Add New Row","Voeg Nieuwe Rij Toe" -"See price before order confirmation.","Zie prijs voor bevestiging van bestelling." -"What's this?","Wat is dit?" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,Datum -"Upload Files","Upload Files" -"Downloadable Information","Downloadbare informatie" -Samples,Samples -Links,Links -Unlimited,Onbeperkt -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products","Mijn Downloadbare Producten" -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.","Log in om uw product te downloaden." -"The link has expired.","De link is verlopen." -"The link is not available.","De link is niet beschikbaar." -"Please set resource file and link type.","Bepaal hulpbronnenbestand en link type." -"Invalid download link type.","Ongeldig download link type." -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null","Bestel id kan geen nul zijn" -"Order item id cannot be null","Bestel artikel kan geen nul zijn" -"Please specify product link(s).","Specificeer productlink(s)." -attachment,bijlage -inline,inline -Pending,"In afwachting" -sample,specimen -"Links can be purchased separately","Links kunnen separaat gekocht worden" -"Max. Downloads","Max. Downloads" -Shareable,Deelbaar -Sample,Monster -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","Alfanumerieke, schuine streep en onderstreepte lettertekens worden aangeraden voor bestandsnamen. Ongeschikte lettertekens worden vervangen met '_'." -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads","Resterende downloads" -"View Order","Bestelling bekijken" -"Start Download","Start download" -"You have not purchased any downloadable products yet.","U heeft nog geen downloadbare artikelen aangeschafd." -download,download -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Downloadable/i18n/pt_BR.csv b/app/code/Magento/Downloadable/i18n/pt_BR.csv deleted file mode 100644 index d6c69964430c9..0000000000000 --- a/app/code/Magento/Downloadable/i18n/pt_BR.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,Voltar -Price,Preço -SKU,SKU -Qty,Qty -"Excl. Tax","Excluir taxas" -Total,Total -"Incl. Tax","Incluir taxas" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,Arquivo -"Edit item parameters","Editar parâmetros de item" -Edit,Editar -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,Excluir -Status,Status -"Sort Order","Classificar pedido" -Title,Título -"Browse Files...","Browse Files..." -"Use Default Value","Utilizar valor padrão" -Ordered,Solicitado -Invoiced,Faturado -Shipped,Enviado -Refunded,Reembolsado -Canceled,Cancelado -From:,De: -To:,Para: -Availability,Availability -"In stock","Em estoque" -"Out of stock","Fora de estoque" -"Gift Message","Mensagem de presente" -Message:,Mensagem: -"Add New Row","Adicionar Nova Linha" -"See price before order confirmation.","Ver preço antes de confirmar pedido." -"What's this?","O que é isso?" -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,Data -"Upload Files","Upload Files" -"Downloadable Information","Informação Transferível" -Samples,Samples -Links,Links -Unlimited,Ilimitado -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products","Meus Produtos Disponíveis para Download" -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.","Por favor, efetue login para fazer o download de seu produto." -"The link has expired.","O link expirou." -"The link is not available.","O link não está disponível." -"Please set resource file and link type.","Por favor, estabeleça arquivo de pesquisa e tipo de link." -"Invalid download link type.","Tipo de link inválido para download." -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null","Identificação de solicitação não pode ser nula" -"Order item id cannot be null","Identificação de solicitação de item não pode ser nula" -"Please specify product link(s).","Por favor, especifique link(s) do produto." -attachment,anexo -inline,"em linha" -Pending,Pendente -sample,exemplo -"Links can be purchased separately","Os links podem ser comprados separadamente" -"Max. Downloads","Máx. de Downloads" -Shareable,Compartilhável -Sample,Amostra -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","Caracteres alfanuméricos, traço e sublinhado são recomendados para nomes de arquivos. Caracteres impróprios são substituídos por '_'." -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads","Downloads restantes" -"View Order","Ver Solicitação" -"Start Download","Começar Download" -"You have not purchased any downloadable products yet.","Você ainda não comprou nenhum produto para baixar." -download,baixar -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Downloadable/i18n/zh_Hans_CN.csv b/app/code/Magento/Downloadable/i18n/zh_Hans_CN.csv deleted file mode 100644 index e32c84d5d75f9..0000000000000 --- a/app/code/Magento/Downloadable/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,88 +0,0 @@ -Back,返回 -Price,价格 -SKU,SKU -Qty,Qty -"Excl. Tax",不含税 -Total,Total -"Incl. Tax",含税 -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Move to Wishlist" -File,文件 -"Edit item parameters",编辑项目参数 -Edit,编辑 -"Remove item","Remove item" -"All Files","All Files" -[GLOBAL],[GLOBAL] -"[STORE VIEW]","[STORE VIEW]" -Delete,删除 -Status,状态 -"Sort Order",排序顺序 -Title,标题 -"Browse Files...","Browse Files..." -"Use Default Value",使用默认值 -Ordered,已下单 -Invoiced,已出发票 -Shipped,已发货 -Refunded,已存储 -Canceled,已取消 -From:,来自: -To:,至: -Availability,Availability -"In stock",现货 -"Out of stock",缺货 -"Gift Message",礼品消息 -Message:,信息: -"Add New Row",添加新行 -"See price before order confirmation.",确认订单前显示价格。 -"What's this?",这是什么? -"Unit Price Excl. Tax","Unit Price Excl. Tax" -"Unit Price Incl. Tax","Unit Price Incl. Tax" -"Subtotal Excl. Tax","Subtotal Excl. Tax" -"Subtotal Incl. Tax","Subtotal Incl. Tax" -"Order #","Order #" -Date,日期 -"Upload Files","Upload Files" -"Downloadable Information",可下载的信息 -Samples,Samples -Links,Links -Unlimited,无限 -"Something went wrong while getting the requested content.","Something went wrong while getting the requested content." -"My Downloadable Products",我的可下载产品 -"Sorry, there was an error getting requested content. Please contact the store owner.","Sorry, there was an error getting requested content. Please contact the store owner." -"We can't find the link you requested.","We can't find the link you requested." -"Please log in to download your product or purchase %2.","Please log in to download your product or purchase %2." -"Please log in to download your product.",请登录以下载您的产品 -"The link has expired.",该链接已过期。 -"The link is not available.",该链接不可用。 -"Please set resource file and link type.",请设置资源类型与链接类型。 -"Invalid download link type.",无效的下载链接类型。 -"Something went wrong while saving the file(s).","Something went wrong while saving the file(s)." -"Order id cannot be null",订单编号不能为空 -"Order item id cannot be null","订购物品 id 不能为空" -"Please specify product link(s).",请指定产品链接。 -attachment,附件 -inline,内联 -Pending,挂起 -sample,示例 -"Links can be purchased separately",链接可单独购买 -"Max. Downloads",最大下载数 -Shareable,可分享 -Sample,范例 -"Alphanumeric, dash and underscore characters are recommended for filenames. Improper characters are replaced with '_'.","建议对文件名使用字母、横线,以及下划线字符。错误的字符将被使用 '_'替换。" -U,U -"Go to My Downloadable Products","Go to My Downloadable Products" -"Downloadable Products","Downloadable Products" -"Remaining Downloads",剩余下载 -"View Order",查看订单 -"Start Download",开始下载 -"You have not purchased any downloadable products yet.",您尚未购买任何可下载的产品。 -download,下载 -"Downloadable Product Options","Downloadable Product Options" -"Order Item Status to Enable Downloads","Order Item Status to Enable Downloads" -"Default Maximum Number of Downloads","Default Maximum Number of Downloads" -"Default Sample Title","Default Sample Title" -"Default Link Title","Default Link Title" -"Open Links in New Window","Open Links in New Window" -"Use Content-Disposition","Use Content-Disposition" -"Disable Guest Checkout if Cart Contains Downloadable Items","Disable Guest Checkout if Cart Contains Downloadable Items" -"Guest checkout will only work with shareable.","Guest checkout will only work with shareable." diff --git a/app/code/Magento/Eav/i18n/de_DE.csv b/app/code/Magento/Eav/i18n/de_DE.csv deleted file mode 100644 index 93a4360977cb9..0000000000000 --- a/app/code/Magento/Eav/i18n/de_DE.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,Keine -No,Nein -Email,E-Mail -Yes,Ja -System,System -Required,Benötigt -label,label -"Attribute Code",Attributcode -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Vorgegebener Wert" -"Unique Value","Einmaliger Wert" -"Unique Value (not shared with other products)","Einmaliger Wert (nicht mit anderen Produkten geteilt)" -"Not shared with other products","Nicht mit anderen Produkten geteilt" -"Input Validation for Store Owner","Eingabeprüfung für Shopbesitzer" -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select","Mehrfache Auswahl" -Dropdown,DropDown -"Text Field",Textfeld -"Text Area",Textbereich -Date,Datum -Yes/No,Ja/Nein -URL,URL -"Attribute object is undefined","Attributobjekt ist undefiniert" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties",Attributeigenschaften -"Attribute Label",Attributlabel -"Catalog Input Type for Store Owner","Katalog Eingabetyp für Shopbesitzer" -"Values Required",Pflichtangabe -"Decimal Number",Dezimalzahl -"Integer Number","Ganze Zahl" -Letters,Buchstaben -"Letters (a-z, A-Z) or Numbers (0-9)","Buchstaben (a-z, A-Z) oder Zahlen (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined","Entity-Objekt ist undefiniert" -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized","Entity ist nicht initialisiert" -"Unknown parameter","Unbekannter Parameter" -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value","Ungültiger dezimaler Standardwert" -"Invalid default date","Ungültiges Standarddatum" -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date","Ungültiges Datum" -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object","Versuch, ein ungültiges Objekt hinzuzufügen" -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared","Gemeinsames Feld oder zusätzlicher Ausdruck mit diesem Alias ​​ist bereits deklariert" -"Invalid alias, already exists in joint attributes","Ungültiger Alias, existiert bereits in gemeinsamen Attributen" -"Invalid foreign key","Ungültiger ausländischer Schlüssel" -"Invalid entity type","Ungültiger Entity-Typ" -"Invalid attribute type","Ungültiger Attributtyp: %s" -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields","Ungültige gemeinsame Felder" -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute","Datenrichtigkeit: Keine Kopfzeile für dieses Attribut" -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","Falsche Entity-ID" -"Wrong attribute set ID","Falsche Attribut-ID" -"Wrong attribute group ID","Falsche Attribut-Gruppen-ID" -"Default option value is not defined","Standard-Optionswert ist nicht definiert" -"Current module pathname is undefined","Der derzeitige Modulpfad ist undefiniert" -"Current module EAV entity is undefined","Aktuelles Modul EAV-Einheit ist nicht definiert" -"Form code is not defined","Formularcode ist nicht definiert" -"Entity instance is not defined","Entity-Instanz ist nicht definiert" -"Invalid form type.","Ungültiger Formulartyp." -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code","Attribut mit dem gleichen Code" -"Frontend label is not defined","Frotend-Label ist nicht definiert" -"Form Element with the same attribute","Formular-Element mit gleichem Attribut" -"Form Fieldset with the same code","Formular-Fieldset mit gleichem Code" -"Form Type with the same code","Formulartyp mit gleichem Code" -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Eav/i18n/es_ES.csv b/app/code/Magento/Eav/i18n/es_ES.csv deleted file mode 100644 index 3d2f45326d051..0000000000000 --- a/app/code/Magento/Eav/i18n/es_ES.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,Nada -No,No -Email,"Correo electrónico" -Yes,Sí -System,Sistema -Required,Obligatorio -label,label -"Attribute Code","Código de atributo" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Valor predeterminado" -"Unique Value","Valor único" -"Unique Value (not shared with other products)","Valor único (no se comparte con otros productos)" -"Not shared with other products","No se comparte con otros productos" -"Input Validation for Store Owner","Validación de entrada para el dueño de la tienda" -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select","Elección múltiple" -Dropdown,Desplegar -"Text Field","Campo de Texto" -"Text Area","Área de Texto" -Date,Fecha -Yes/No,Si/No -URL,URL -"Attribute object is undefined","Objeto de campo indefinido" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties","Propiedades de atributo" -"Attribute Label","Etiqueta de atributo" -"Catalog Input Type for Store Owner","Tipo de entrada de catálogo para el dueño de la tienda" -"Values Required","Valores obligatorios" -"Decimal Number","Número decimal" -"Integer Number","Número entero" -Letters,Letras -"Letters (a-z, A-Z) or Numbers (0-9)","Letras (a-z, A-Z) o números (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined","Objeto de entidad indefinido" -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized","Entidad no iniciada" -"Unknown parameter","Parámetro desconocido" -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value","Valor decimal por defecto no válido" -"Invalid default date","Fecha por defecto no válida" -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date","Fecha no válida" -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object","Intento de añadir un objeto inválido" -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared","Ya se ha declarado un campo de join o una expresión de atributos con este alias" -"Invalid alias, already exists in joint attributes","Alias no válido, ya existe en campos conjuntos" -"Invalid foreign key","Clave externa no válida" -"Invalid entity type","Tipo de entidad no válido" -"Invalid attribute type","Tipo de campo no válido" -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields","Campos de la joint no válidos" -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute","Integridad de datos: No se ha encontrado una línea de encabezamiento para el campo" -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","ID de entidad no válido" -"Wrong attribute set ID","ID de conjunto de atributos no válido" -"Wrong attribute group ID","ID de grupo de atributos no válido" -"Default option value is not defined","Valor automático indefinido" -"Current module pathname is undefined","Módulo URL actual indefinido" -"Current module EAV entity is undefined","Entidad de módulo EAV actual indefinida" -"Form code is not defined","Código indefinido" -"Entity instance is not defined","Contenido de la entidad indefinido" -"Invalid form type.","Tipo de forma no válido." -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code","Atributo con el mismo código" -"Frontend label is not defined","Etiqueta inicial indefinida" -"Form Element with the same attribute","Formar elemento con el mismo atributo" -"Form Fieldset with the same code","Formar conjunto de campos con el mismo código" -"Form Type with the same code","Formar tipo con el mismo código" -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Eav/i18n/fr_FR.csv b/app/code/Magento/Eav/i18n/fr_FR.csv deleted file mode 100644 index 98e09d8b3490e..0000000000000 --- a/app/code/Magento/Eav/i18n/fr_FR.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,aucun -No,Non -Email,Email -Yes,oui -System,Système -Required,Requis -label,label -"Attribute Code","Code d'attribut" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Valeur par Défaut" -"Unique Value","Valeur unique" -"Unique Value (not shared with other products)","Valeur unique (non partagée avec d'autres produits)" -"Not shared with other products","Non partagé avec d'autres produits" -"Input Validation for Store Owner","Validation de l'entrée pour le propriétaire de la boutique" -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select","Choix multiple" -Dropdown,"Liste déroulante" -"Text Field","Champ de texte" -"Text Area","Zone de texte" -Date,Date -Yes/No,Oui/Non -URL,URL -"Attribute object is undefined","L'attribut de l'objet n'est pas défini" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties","Propriétés d'attribut" -"Attribute Label","Label d'attribut" -"Catalog Input Type for Store Owner","Type d'entrée de catalogue pour le propriétaire de la boutique" -"Values Required","Valeur requises" -"Decimal Number","Nombre décimal" -"Integer Number","Nombre entier" -Letters,Lettres -"Letters (a-z, A-Z) or Numbers (0-9)","Lettres (a-z, A-Z) ou chiffres (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined","Objet de l'entité non défini" -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized","Entité non initialisée" -"Unknown parameter","Paramètre inconnu" -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value","Valeur décimale par défaut invalide" -"Invalid default date","Date par défaut invalide" -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date","Date invalide" -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object","Tentative d'ajout d'un objet invalide" -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared","Champ joint ou expression d'attribut avec cet alias déjà déclaré" -"Invalid alias, already exists in joint attributes","Pseudonyme invalide, existe déjà dans des attributs conjoints" -"Invalid foreign key","Clé étrangère invalide" -"Invalid entity type","Type d'entité invalide" -"Invalid attribute type","Type d'attribut invalide" -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields","Champs joints invalides" -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute","Intégrité des données : pas de ligne d'en-tête trouvée pour l'attribut" -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","Identifiant de l'entité incorrect" -"Wrong attribute set ID","Jeu d'attribut identifiant incorrect" -"Wrong attribute group ID","Identifiant du groupe attribut incorrect" -"Default option value is not defined","Valeur d'option par défaut non définie" -"Current module pathname is undefined","Le nom du répertoire du module actuel n'est pas défini" -"Current module EAV entity is undefined","L'entité de module actuelle EAV n'est pas définie" -"Form code is not defined","Code formulaire non défini" -"Entity instance is not defined","Instance de l'entité non définie" -"Invalid form type.","Type de formulaire invalide." -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code","Attribut avec le même code" -"Frontend label is not defined","Étiquette front-end non définie" -"Form Element with the same attribute","Élément de formulaire avec le même attribut" -"Form Fieldset with the same code","Formulaire de champ avec le même code" -"Form Type with the same code","Type de formulaire avec le même code" -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Eav/i18n/nl_NL.csv b/app/code/Magento/Eav/i18n/nl_NL.csv deleted file mode 100644 index f4957e8caf47b..0000000000000 --- a/app/code/Magento/Eav/i18n/nl_NL.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,Geen -No,Nee -Email,Email -Yes,Ja -System,Systeem -Required,Benodigd -label,label -"Attribute Code",Attribuutcode -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Vaststaande Waarde" -"Unique Value","Unieke waarde" -"Unique Value (not shared with other products)","Unieke waarde (niet gedeeld met andere producten)" -"Not shared with other products","Niet gedeeld met andere producten" -"Input Validation for Store Owner","Input Validatie voor Winkeleigenaar" -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select","Multiple Selecteer" -Dropdown,Dropdown -"Text Field",Tekstveld -"Text Area",Tekstgebied -Date,Datum -Yes/No,Ja/Nee -URL,URL -"Attribute object is undefined","Attribuut object is ongedefinieerd" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties","Attribuut Eigenschappen" -"Attribute Label",Attribuutlabel -"Catalog Input Type for Store Owner","Catalogus Input Type voor Winkeleigenaar" -"Values Required","Waardes verplicht" -"Decimal Number","Decimaal Getal" -"Integer Number","Integer Getal" -Letters,Letters -"Letters (a-z, A-Z) or Numbers (0-9)","Letters (a-z, A-Z) or cijfers (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined","Doel eenheid is niet gedefinieerd" -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized","Eenheid is niet geïnitialiseerd" -"Unknown parameter","Onbekende parameter" -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value","Ongeldige standaard decimale waarde" -"Invalid default date","Ongeldige standaarddatum" -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date","Ongeldige datum" -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object","Poging een ongeldig object toe te voegen" -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared","Verbonden veld of attribuut expressie met deze alias is reeds gedeclareerd" -"Invalid alias, already exists in joint attributes","Ongeldige alias, bestaat al in samengestelde attributen" -"Invalid foreign key","Ongeldige vreemde sleutel" -"Invalid entity type","Ongeldig type entiteit" -"Invalid attribute type","Ongeldig attribuut type" -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields","Ongeldige verbonden velden" -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute","Data integriteit: Geen koptekst rij gevonden voor attribuut" -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","Verkeerde entiteit ID" -"Wrong attribute set ID","Verkeerde attribuut set ID" -"Wrong attribute group ID","Verkeerde attribuut groep ID" -"Default option value is not defined","Vaststaande optie waarde is niet gedefinieerd." -"Current module pathname is undefined","Huidige module padnaam is ongedefinieerd" -"Current module EAV entity is undefined","Huidige module EAV eenheid in ongedefinieerd" -"Form code is not defined","Vorm code is niet gedefinieerd" -"Entity instance is not defined","Voorbeeld eenheid is niet gedefinieerd" -"Invalid form type.","Ongeldig type formulier." -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code","Attribuut met zelfde code" -"Frontend label is not defined","Front end label is niet gedefinieerd" -"Form Element with the same attribute","Vorm element met zelfde attribuut" -"Form Fieldset with the same code","Vorm Fieldset met zelfde code" -"Form Type with the same code","Vorm Type met zelfde code" -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Eav/i18n/pt_BR.csv b/app/code/Magento/Eav/i18n/pt_BR.csv deleted file mode 100644 index 5e0a675306622..0000000000000 --- a/app/code/Magento/Eav/i18n/pt_BR.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,Nenhum -No,Não -Email,E-mail -Yes,Sim -System,Sistema -Required,Obrigatório -label,label -"Attribute Code","Código do Atributo" -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value","Valor Predifinido" -"Unique Value","Valor Único" -"Unique Value (not shared with other products)","Valor Único (não compartilhado com outros produtos)" -"Not shared with other products","Não compartilhado com outros produtos" -"Input Validation for Store Owner","Validação de Entrada para Dono da Loja" -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select","Múltipla escolha" -Dropdown,"Menu suspenso" -"Text Field","Campo de texto" -"Text Area","Área de texto" -Date,Data -Yes/No,Sim/Não -URL,URL -"Attribute object is undefined","Objeto do atributo é indefinido" -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties","Propriedades do Atributo" -"Attribute Label","Etiqueta do Atributo" -"Catalog Input Type for Store Owner","Catálogo de Tipo de Entrada para Dono da Loja" -"Values Required","Valores Obrigatórios" -"Decimal Number","Número Decimal" -"Integer Number","Número Inteiro" -Letters,Letras -"Letters (a-z, A-Z) or Numbers (0-9)","Letras (a-z, A-Z) ou Números (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined","Objeto de entidade indefinido" -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized","Entidade não está inicializada" -"Unknown parameter","Parâmetro desconhecido" -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value","Valor decimal-padrão inválido" -"Invalid default date","Data-padrão inválida" -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date","Data inválida" -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object","Tentativa de adicionar um objeto inválido" -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared","O campo conjunto ou expressão de atributos com este apelido já está declarado" -"Invalid alias, already exists in joint attributes","Apelido inválido, já existe em atributos comuns" -"Invalid foreign key","Chave estrangeira inválida" -"Invalid entity type","Tipo de entidade inválido" -"Invalid attribute type","Tipo de atributo inválido" -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields","Campos conjuntos inválidos" -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute","Integridade dos dados: Linha de cabeçalho para o atributo não encontrada" -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","Identificação de entidade errada" -"Wrong attribute set ID","Identificação errada para conjunto de atributos" -"Wrong attribute group ID","Identificação errada para grupo de atributos" -"Default option value is not defined","Valor de opção predifinida não foi definido" -"Current module pathname is undefined","Nome do caminho do módulo atual indefinido" -"Current module EAV entity is undefined","Módulo de entidade EAV atual indefinido" -"Form code is not defined","Código de Formulário não está definido" -"Entity instance is not defined","Instância da entidade não está definida" -"Invalid form type.","Tipo inválido de formulário." -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code","Atributo com o mesmo código" -"Frontend label is not defined","Rótulo frontend não está definido" -"Form Element with the same attribute","Elemento de Formulário com o mesmo atributo" -"Form Fieldset with the same code","Fieldset de Formulário com o mesmo código" -"Form Type with the same code","Tipo de Formulário com o mesmo código" -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Eav/i18n/zh_Hans_CN.csv b/app/code/Magento/Eav/i18n/zh_Hans_CN.csv deleted file mode 100644 index 5bb43b6aa0b88..0000000000000 --- a/app/code/Magento/Eav/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,113 +0,0 @@ -None,无 -No,否 -Email,电子邮件 -Yes,是 -System,系统 -Required,必须 -label,label -"Attribute Code",属性代码 -"For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols","For internal use. Must be unique with no spaces. Maximum length of attribute code must be less than %1 symbols" -"Default Value",默认值 -"Unique Value",唯一数值 -"Unique Value (not shared with other products)",唯一数值(不与其它产品共享) -"Not shared with other products",未与其它产品共享 -"Input Validation for Store Owner",店铺所有者的输入验证 -"The value of attribute ""%1"" must be set","The value of attribute ""%1"" must be set" -"Multiple Select",多选 -Dropdown,下拉菜单 -"Text Field",文本字段 -"Text Area",文本区 -Date,日期 -Yes/No,是/否 -URL,URL -"Attribute object is undefined",属性对象未定义 -"""%1"" invalid type entered.","""%1"" invalid type entered." -"""%1"" contains non-alphabetic or non-numeric characters.","""%1"" contains non-alphabetic or non-numeric characters." -"""%1"" is an empty string.","""%1"" is an empty string." -"""%1"" contains non-numeric characters.","""%1"" contains non-numeric characters." -"""%1"" contains non-alphabetic characters.","""%1"" contains non-alphabetic characters." -"""%1"" is not a valid email address.","""%1"" is not a valid email address." -"""%1"" is not a valid hostname.","""%1"" is not a valid hostname." -"""%1"" exceeds the allowed length.","""%1"" exceeds the allowed length." -"'%value%' appears to be an IP address, but IP addresses are not allowed.","'%value%' appears to be an IP address, but IP addresses are not allowed." -"'%value%' appears to be a DNS hostname but cannot match TLD against known list.","'%value%' appears to be a DNS hostname but cannot match TLD against known list." -"'%value%' appears to be a DNS hostname but contains a dash in an invalid position.","'%value%' appears to be a DNS hostname but contains a dash in an invalid position." -"'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'.","'%value%' appears to be a DNS hostname but cannot match against hostname schema for TLD '%tld%'." -"'%value%' appears to be a DNS hostname but cannot extract TLD part.","'%value%' appears to be a DNS hostname but cannot extract TLD part." -"'%value%' does not appear to be a valid local network name.","'%value%' does not appear to be a valid local network name." -"'%value%' appears to be a local network name but local network names are not allowed.","'%value%' appears to be a local network name but local network names are not allowed." -"'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded.","'%value%' appears to be a DNS hostname but the given punycode notation cannot be decoded." -"""%1"" is not a valid URL.","""%1"" is not a valid URL." -"""%1"" is not a valid date.","""%1"" is not a valid date." -"""%1"" does not fit the entered date format.","""%1"" does not fit the entered date format." -"""%1"" is a required value.","""%1"" is a required value." -"Please enter a valid date between %1 and %2 at %3.","Please enter a valid date between %1 and %2 at %3." -"Please enter a valid date equal to or greater than %1 at %2.","Please enter a valid date equal to or greater than %1 at %2." -"Please enter a valid date less than or equal to %1 at %2.","Please enter a valid date less than or equal to %1 at %2." -"""%1"" is not a valid file extension.","""%1"" is not a valid file extension." -"""%1"" is not a valid file.","""%1"" is not a valid file." -"""%1"" exceeds the allowed file size.","""%1"" exceeds the allowed file size." -"""%1"" width exceeds allowed value of %2 px.","""%1"" width exceeds allowed value of %2 px." -"""%1"" height exceeds allowed value of %2 px.","""%1"" height exceeds allowed value of %2 px." -"""%1"" length must be equal or greater than %2 characters.","""%1"" length must be equal or greater than %2 characters." -"""%1"" length must be equal or less than %2 characters.","""%1"" length must be equal or less than %2 characters." -"Maximum length of attribute code must be less than %1 symbols","Maximum length of attribute code must be less than %1 symbols" -"Attribute Properties",属性的属性 -"Attribute Label",属性标签 -"Catalog Input Type for Store Owner",店铺所有者的分类输出类型 -"Values Required",需要数值 -"Decimal Number",十进制数 -"Integer Number",整数 -Letters,字母 -"Letters (a-z, A-Z) or Numbers (0-9)","字母 (a-z, A-Z) 或数字 (0-9)" -"Input type ""%value%"" not found in the input types list.","Input type ""%value%"" not found in the input types list." -"Entity object is undefined",实体对象未定义 -"""%1"" is not a valid file","""%1"" is not a valid file" -"""%1"" is not a valid image format","""%1"" is not a valid image format" -"Invalid entity_type specified: %1","Invalid entity_type specified: %1" -"Entity is not initialized",实体未初始化 -"Unknown parameter",未知参数 -"The attribute code '%1' is reserved by system. Please try another attribute code","The attribute code '%1' is reserved by system. Please try another attribute code" -"Invalid default decimal value",无效的默认十进制数值 -"Invalid default date",无效的默认日期 -"Invalid entity supplied","Invalid entity supplied" -"Invalid backend model specified: ","Invalid backend model specified: " -"Source model ""%1"" not found for attribute ""%2""","Source model ""%1"" not found for attribute ""%2""" -"The value of attribute ""%1"" must be unique","The value of attribute ""%1"" must be unique" -"Invalid date",无效的日期 -"Attribute set name is empty.","Attribute set name is empty." -"An attribute set with the ""%1"" name already exists.","An attribute set with the ""%1"" name already exists." -"No options found.","No options found." -"Invalid entity supplied: %1","Invalid entity supplied: %1" -"Attempt to add an invalid object",尝试添加的对象无效 -"Invalid attribute identifier for filter (%1)","Invalid attribute identifier for filter (%1)" -"Invalid attribute requested: %1","Invalid attribute requested: %1" -"Joint field or attribute expression with this alias is already declared",使用此别名的合并字段或属性表达式已被声明 -"Invalid alias, already exists in joint attributes",无效的别名、已经存在于联合属性中。 -"Invalid foreign key",无效的外键 -"Invalid entity type",无效的实体类型 -"Invalid attribute type",无效的属性类型 -"A joined field with this alias is already declared.","A joined field with this alias is already declared." -"Invalid joint fields",无效的合并字段 -"A joint field with this alias (%1) is already declared.","A joint field with this alias (%1) is already declared." -"Data integrity: No header row found for attribute",数据完整性:属性的表头行没找到 -"Invalid attribute name: %1","Invalid attribute name: %1" -"Invalid character encountered in increment ID: %1","Invalid character encountered in increment ID: %1" -"Wrong entity ID","错误的实体 ID" -"Wrong attribute set ID","错误的属性设置 ID" -"Wrong attribute group ID","错误的属性群组 ID" -"Default option value is not defined",默认选项值未定义 -"Current module pathname is undefined",当前模块路径名未定义 -"Current module EAV entity is undefined",当前模块EAV实体未定义 -"Form code is not defined",表单代码未定义 -"Entity instance is not defined",实体实例未定义 -"Invalid form type.",无效的表单类型。 -"Invalid EAV attribute","Invalid EAV attribute" -"Attribute with the same code",使用相同代码的属性 -"Frontend label is not defined",前端标签未定义 -"Form Element with the same attribute",使用相同属性的表单元素 -"Form Fieldset with the same code",使用相同代码的表单字段集 -"Form Type with the same code",使用相同代码的表单类型 -"The value of attribute ""%1"" is invalid","The value of attribute ""%1"" is invalid" -"EAV types and attributes","EAV types and attributes" -"Entity types declaration cache.","Entity types declaration cache." diff --git a/app/code/Magento/Email/i18n/de_DE.csv b/app/code/Magento/Email/i18n/de_DE.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/de_DE.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/Email/i18n/es_ES.csv b/app/code/Magento/Email/i18n/es_ES.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/es_ES.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/Email/i18n/fr_FR.csv b/app/code/Magento/Email/i18n/fr_FR.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/fr_FR.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/Email/i18n/nl_NL.csv b/app/code/Magento/Email/i18n/nl_NL.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/nl_NL.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/Email/i18n/pt_BR.csv b/app/code/Magento/Email/i18n/pt_BR.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/pt_BR.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/Email/i18n/zh_Hans_CN.csv b/app/code/Magento/Email/i18n/zh_Hans_CN.csv deleted file mode 100644 index dbcdb63824f42..0000000000000 --- a/app/code/Magento/Email/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,74 +0,0 @@ -Back,Back -ID,ID -Action,Action -Reset,Reset -Country,Country -City,City -"Zip/Postal Code","Zip/Postal Code" -Preview,Preview -%1,%1 -"Insert Variable...","Insert Variable..." -Subject,Subject -Unknown,Unknown -Updated,Updated -"Add New Template","Add New Template" -"Transactional Emails","Transactional Emails" -"Delete Template","Delete Template" -"Convert to Plain Text","Convert to Plain Text" -"Return Html Version","Return Html Version" -"Preview Template","Preview Template" -"Save Template","Save Template" -"Load Template","Load Template" -"Edit Email Template","Edit Email Template" -"New Email Template","New Email Template" -GLOBAL,GLOBAL -"Template Information","Template Information" -"Currently Used For","Currently Used For" -"Used as Default For","Used as Default For" -"Template Name","Template Name" -"Template Subject","Template Subject" -"Template Content","Template Content" -"Template Styles","Template Styles" -"Email Templates","Email Templates" -"Edit Template","Edit Template" -"Edit System Template","Edit System Template" -"New Template","New Template" -"New System Template","New System Template" -"This email template no longer exists.","This email template no longer exists." -"The email template has been saved.","The email template has been saved." -"The email template has been deleted.","The email template has been deleted." -"The email template is currently being used.","The email template is currently being used." -"An error occurred while deleting email template data. Please review log and try again.","An error occurred while deleting email template data. Please review log and try again." -"We can't find an email template to delete.","We can't find an email template to delete." -"An error occurred. The email template can not be opened for preview.","An error occurred. The email template can not be opened for preview." -"Base Unsecure URL","Base Unsecure URL" -"Base Secure URL","Base Secure URL" -"General Contact Name","General Contact Name" -"General Contact Email","General Contact Email" -"Sales Representative Contact Name","Sales Representative Contact Name" -"Sales Representative Contact Email","Sales Representative Contact Email" -"Custom1 Contact Name","Custom1 Contact Name" -"Custom1 Contact Email","Custom1 Contact Email" -"Custom2 Contact Name","Custom2 Contact Name" -"Custom2 Contact Email","Custom2 Contact Email" -"Store Name","Store Name" -"Store Phone Number","Store Phone Number" -Region/State,Region/State -"Street Address 1","Street Address 1" -"Street Address 2","Street Address 2" -"Store Contact Information","Store Contact Information" -"Template Variables","Template Variables" -"The template Name must not be empty.","The template Name must not be empty." -"Duplicate Of Template Name","Duplicate Of Template Name" -"Invalid transactional email code: %1","Invalid transactional email code: %1" -"Requested invalid store ""%1""","Requested invalid store ""%1""" -"Invalid sender data","Invalid sender data" -"Load default template","Load default template" -Template,Template -"Are you sure that you want to strip tags?","Are you sure that you want to strip tags?" -"Are you sure that you want to delete this template?","Are you sure that you want to delete this template?" -"Failed to load template. See error log for details.","Failed to load template. See error log for details." -"Email Preview","Email Preview" -"No Templates Found","No Templates Found" -Added,Added -"Template Type","Template Type" diff --git a/app/code/Magento/EncryptionKey/i18n/de_DE.csv b/app/code/Magento/EncryptionKey/i18n/de_DE.csv deleted file mode 100644 index 705d98a99d298..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/de_DE.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,Benutzerkennung -No,No -Yes,Yes -Username,Benutzername -"Encryption Key","Encryption Key" -"Change Encryption Key","Verschlüsselungscode ändern" -"New Encryption Key","Neuer Verschlüsselungscode" -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key","Automatische Schlüsselgenerierung" -"The generated key will be displayed after changing.","Der generierte Schlüssel wird nach seiner Änderung angezeigt." -"New Key","Neuer Schlüssel" -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.","Bitte einen Verschlüsselungscode eingeben." -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change","Änderung des Verschlüsselungscodes" -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/EncryptionKey/i18n/es_ES.csv b/app/code/Magento/EncryptionKey/i18n/es_ES.csv deleted file mode 100644 index 16fe7d35f56db..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/es_ES.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,Identificación -No,No -Yes,Yes -Username,"Nombre de Usuario" -"Encryption Key","Encryption Key" -"Change Encryption Key","Cambiar clave de encriptación" -"New Encryption Key","Nueva clave de encriptación" -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key","Auto generar una clave" -"The generated key will be displayed after changing.","La clave generada se mostrará después de cambiarla." -"New Key","Nueva clave" -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.","Por favor introduzca una clave de encriptación" -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change","Cambio de clave de encriptación" -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/EncryptionKey/i18n/fr_FR.csv b/app/code/Magento/EncryptionKey/i18n/fr_FR.csv deleted file mode 100644 index 6311d1da4f3e3..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/fr_FR.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,Identifiant -No,No -Yes,Yes -Username,"Nom d'utilisateur" -"Encryption Key","Encryption Key" -"Change Encryption Key","Modifier Clé de Chiffrement" -"New Encryption Key","Nouvelle Clé de Chiffrement" -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key","Générer automatiquement une Clé" -"The generated key will be displayed after changing.","La clé générée apparaîtra après changement." -"New Key","Nouvelle Clé" -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.","Merci d'entrer une clé de chiffrement" -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change","Modification Clé de Chiffrement" -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/EncryptionKey/i18n/nl_NL.csv b/app/code/Magento/EncryptionKey/i18n/nl_NL.csv deleted file mode 100644 index 11268b36d5d1b..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/nl_NL.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,identiteit -No,No -Yes,Yes -Username,Gebruikersnaam -"Encryption Key","Encryption Key" -"Change Encryption Key","Verander Encryptie Code" -"New Encryption Key","Nieuwe Encryptie Code" -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key","Automatisch een sleutel genereren." -"The generated key will be displayed after changing.","De gegenereerde sleutel wordt weergegeven na het veranderen." -"New Key","Nieuwe Code" -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.","Vul een encryptie sleutel in." -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change","Encryptie Code Veranderen" -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/EncryptionKey/i18n/pt_BR.csv b/app/code/Magento/EncryptionKey/i18n/pt_BR.csv deleted file mode 100644 index 2529b0b015a7d..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/pt_BR.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,Identidade -No,No -Yes,Yes -Username,"Nome do usuário" -"Encryption Key","Encryption Key" -"Change Encryption Key","Mudar Chave de Criptografia" -"New Encryption Key","Nova Chave de Criptografia" -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key","Autogerar Chave" -"The generated key will be displayed after changing.","A chave gerada será exibida após a mudança." -"New Key","Nova Chave" -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.","Por favor introduza uma chave de encriptação." -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change","Mudança na Chave de Criptografia" -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/EncryptionKey/i18n/zh_Hans_CN.csv b/app/code/Magento/EncryptionKey/i18n/zh_Hans_CN.csv deleted file mode 100644 index 02b9c53f97bb4..0000000000000 --- a/app/code/Magento/EncryptionKey/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,20 +0,0 @@ -ID,ID -No,No -Yes,Yes -Username,用户名 -"Encryption Key","Encryption Key" -"Change Encryption Key",更改加密密钥 -"New Encryption Key",新建加密密钥 -"The encryption key is used to protect passwords and other sensitive data.","The encryption key is used to protect passwords and other sensitive data." -"Auto-generate a Key",自动生成密钥 -"The generated key will be displayed after changing.",生成的密钥会在改动后显示。 -"New Key",新密钥 -"To enable a key change this file must be writable: %1.","To enable a key change this file must be writable: %1." -"Please enter an encryption key.",请输入加密密钥。 -"The encryption key has been changed.","The encryption key has been changed." -"This is your new encryption key: %1. Be sure to write it down and take good care of it!","This is your new encryption key: %1. Be sure to write it down and take good care of it!" -"Not supported cipher version","Not supported cipher version" -"The encryption key format is invalid.","The encryption key format is invalid." -"File %1 is not writeable.","File %1 is not writeable." -"Encryption Key Change",加密密钥已更改 -"Manage Encryption Key","Manage Encryption Key" diff --git a/app/code/Magento/Fedex/i18n/de_DE.csv b/app/code/Magento/Fedex/i18n/de_DE.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/de_DE.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/Fedex/i18n/es_ES.csv b/app/code/Magento/Fedex/i18n/es_ES.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/es_ES.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/Fedex/i18n/fr_FR.csv b/app/code/Magento/Fedex/i18n/fr_FR.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/fr_FR.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/Fedex/i18n/nl_NL.csv b/app/code/Magento/Fedex/i18n/nl_NL.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/nl_NL.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/Fedex/i18n/pt_BR.csv b/app/code/Magento/Fedex/i18n/pt_BR.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/pt_BR.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/Fedex/i18n/zh_Hans_CN.csv b/app/code/Magento/Fedex/i18n/zh_Hans_CN.csv deleted file mode 100644 index 681ecc5610822..0000000000000 --- a/app/code/Magento/Fedex/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,72 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -Password,Password -"Unable to retrieve tracking","Unable to retrieve tracking" -"Failed to parse xml document: %1","Failed to parse xml document: %1" -"Europe First Priority","Europe First Priority" -"1 Day Freight","1 Day Freight" -"2 Day Freight","2 Day Freight" -"2 Day","2 Day" -"2 Day AM","2 Day AM" -"3 Day Freight","3 Day Freight" -"Express Saver","Express Saver" -Ground,Ground -"First Overnight","First Overnight" -"Home Delivery","Home Delivery" -"International Economy","International Economy" -"Intl Economy Freight","Intl Economy Freight" -"International First","International First" -"International Ground","International Ground" -"International Priority","International Priority" -"Intl Priority Freight","Intl Priority Freight" -"Priority Overnight","Priority Overnight" -"Smart Post","Smart Post" -"Standard Overnight","Standard Overnight" -Freight,Freight -"National Freight","National Freight" -"Regular Pickup","Regular Pickup" -"Request Courier","Request Courier" -"Drop Box","Drop Box" -"Business Service Center","Business Service Center" -Station,Station -"FedEx Envelope","FedEx Envelope" -"FedEx Pak","FedEx Pak" -"FedEx Box","FedEx Box" -"FedEx Tube","FedEx Tube" -"FedEx 10kg Box","FedEx 10kg Box" -"FedEx 25kg Box","FedEx 25kg Box" -"Your Packaging","Your Packaging" -"Not Required","Not Required" -Adult,Adult -Direct,Direct -Indirect,Indirect -status,status -"Empty response","Empty response" -Key,Key -Debug,Debug -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -FedEx,FedEx -"Account ID","Account ID" -"Please make sure to use only digits here. No dashes are allowed.","Please make sure to use only digits here. No dashes are allowed." -"Meter Number","Meter Number" -"Sandbox Mode","Sandbox Mode" -"Web-Services URL (Production)","Web-Services URL (Production)" -"Web-Services URL (Sandbox)","Web-Services URL (Sandbox)" -"Packages Request Type","Packages Request Type" -Packaging,Packaging -Dropoff,Dropoff -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -"Residential Delivery","Residential Delivery" -"Hub ID","Hub ID" -"The field is applicable if the Smart Post method is selected.","The field is applicable if the Smart Post method is selected." diff --git a/app/code/Magento/GiftMessage/i18n/de_DE.csv b/app/code/Magento/GiftMessage/i18n/de_DE.csv deleted file mode 100644 index f1a1e78b405a4..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/de_DE.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,Abbrechen -From,Von -To,An -OK,OK -"Gift Message",Grußnachricht -Message,Nachricht -"Unknown entity type","Unbekannter Entitätentyp" -"Gift Options",Geschenkoptionen -"Do you have any gift items in your order?","Haben Sie Geschenkartikel in Ihrer Bestellung?" -"Add gift options","Geschenkoptionen hinzufügen" -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order","Geschenkoptionen für die gesamte Bestellung hinzufügen" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items","Geschenkoptionen für einzelne Artikel" -"Add gift options for Individual Items","Geschenkoptionen für einzelne Artikel hinzufügen" -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.","Geschenkoptionen für diese Anschrift." -"You can leave this box blank if you do not wish to add a gift message for this address.","Lassen Sie diese Box leer, wenn Sie keine Geschenknachricht zu dieser Adresse hinzufügen wollen." -"You can leave this box blank if you do not wish to add a gift message for the item.","Lassen Sie diese Box leer, wenn Sie keine Geschenknachricht zum Artikel hinzufügen wollen." -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GiftMessage/i18n/es_ES.csv b/app/code/Magento/GiftMessage/i18n/es_ES.csv deleted file mode 100644 index c6b65bb9fab4a..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/es_ES.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,Cancelar -From,De -To,Para -OK,Aceptar -"Gift Message","Mensaje regalo" -Message,Mensaje -"Unknown entity type","Tipo de entidad desconocido" -"Gift Options","Opciones de regalo" -"Do you have any gift items in your order?","¿Tiene artículos de regalo en su pedido?" -"Add gift options","Añadir opciones de regalo" -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order","Añadir opciones de regalo para todo el pedido" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items","Opciones de regalo para artículos individuales" -"Add gift options for Individual Items","Añadir opciones de regalo para artículos individuales" -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.","Opciones de regalo para esta dirección." -"You can leave this box blank if you do not wish to add a gift message for this address.","Puede dejar esta caja en blanco si no quiere añadir un mensaje de regalo para esta dirección." -"You can leave this box blank if you do not wish to add a gift message for the item.","Puede dejar esta caja en blanco si no quiere añadir un mensaje de regalo para el artículo." -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GiftMessage/i18n/fr_FR.csv b/app/code/Magento/GiftMessage/i18n/fr_FR.csv deleted file mode 100644 index c8b5a949b7b4e..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/fr_FR.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,Annuler -From,De -To,A -OK,OK -"Gift Message","Message du cadeau" -Message,Message -"Unknown entity type","Type d'entité inconnu" -"Gift Options","Options de cadeau" -"Do you have any gift items in your order?","Avez-vous des messages cadeaux dans votre commande ?" -"Add gift options","Ajouter des options de cadeau" -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order","Ajouter des options de cadeau pour l'ensemble de la commande" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items","Options de cadeau pour des objets individuels" -"Add gift options for Individual Items","Ajouter des options de cadeau pour des objets individuels" -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.","Options de cadeau pour cette adresse." -"You can leave this box blank if you do not wish to add a gift message for this address.","Vous pouvez laisser cette case vide si vous ne souhaitez pas ajouter de message cadeau pour cette adresse." -"You can leave this box blank if you do not wish to add a gift message for the item.","Vous pouvez laisser cette case vide si vous ne souhaitez pas ajouter de message cadeau pour cet objet." -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GiftMessage/i18n/nl_NL.csv b/app/code/Magento/GiftMessage/i18n/nl_NL.csv deleted file mode 100644 index 4103bf002544c..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/nl_NL.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,Annuleren -From,Van -To,Naar -OK,OK -"Gift Message",Cadeauboodschap -Message,Boodschap -"Unknown entity type","Onbekend entiteit type" -"Gift Options",Cadeauopties -"Do you have any gift items in your order?","Zijn er cadeaus bij uw bestelling?" -"Add gift options","Voeg cadeauopties toe" -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order","Voeg cadeauopties toe voor gehele bestelling" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items","Cadeauopties voor afzonderlijke artikelen" -"Add gift options for Individual Items","Voeg cadeauopties toe voor afzonderlijke artikelen" -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.","Cadeauopties voor dit adres." -"You can leave this box blank if you do not wish to add a gift message for this address.","Je kunt deze ruimte leeglaten als je geen cadeaubericht wilt toevoegen voor dit adres." -"You can leave this box blank if you do not wish to add a gift message for the item.","Je kunt deze ruimte leeglaten als je geen cadeaubericht wilt toevoegen voor dit artikel." -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GiftMessage/i18n/pt_BR.csv b/app/code/Magento/GiftMessage/i18n/pt_BR.csv deleted file mode 100644 index 0d5c4d35e1dd4..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/pt_BR.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,Cancelar -From,De -To,Para -OK,OK -"Gift Message","Mensagem de presente" -Message,Mensagem -"Unknown entity type","Tipo de entidade desconhecido" -"Gift Options","Opções de presente" -"Do you have any gift items in your order?","Você tem algum item de presente em seu pedido?" -"Add gift options","Adicionar opções de presente" -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order","Adicionar opções de presente no Pedido Completo" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items","Opções de Presente para Itens Individuais" -"Add gift options for Individual Items","Adicionar opções de presente em Itens Individuais" -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.","Opções de presente para este endereço." -"You can leave this box blank if you do not wish to add a gift message for this address.","Você pode deixar este campo em branco se você não pretende adicionar uma mensagem de presente para este endereço." -"You can leave this box blank if you do not wish to add a gift message for the item.","Você pode deixar este campo em branco se você não pretende adicionar uma mensagem de presente para o item." -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GiftMessage/i18n/zh_Hans_CN.csv b/app/code/Magento/GiftMessage/i18n/zh_Hans_CN.csv deleted file mode 100644 index e1aaa8599a4f4..0000000000000 --- a/app/code/Magento/GiftMessage/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,22 +0,0 @@ -Cancel,取消 -From,来自 -To,发送至 -OK,确定 -"Gift Message",礼品消息 -Message,信息 -"Unknown entity type",未知实体类型 -"Gift Options",礼品选项 -"Do you have any gift items in your order?",您的订单中包含任何礼品项目吗? -"Add gift options",添加礼品选项 -"Gift Options for the Entire Order","Gift Options for the Entire Order" -"Add gift options for the Entire Order",为整个订单添加礼品选项 -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -"Gift Options for Individual Items",适用于单个项目的礼品选项 -"Add gift options for Individual Items",为单个项目添加礼品选项 -"Item %1 of %2","Item %1 of %2" -"You can leave a box blank if you don't wish to add a gift message for the item.","You can leave a box blank if you don't wish to add a gift message for the item." -"Gift Options for this address.",适用于该地址的礼品选项。 -"You can leave this box blank if you do not wish to add a gift message for this address.",如果您不想为该地址添加礼品信息,则可以在这里留空。 -"You can leave this box blank if you do not wish to add a gift message for the item.",如果您不想为该商品添加礼品信息,则可以在这里留空。 -"Allow Gift Messages on Order Level","Allow Gift Messages on Order Level" -"Allow Gift Messages for Order Items","Allow Gift Messages for Order Items" diff --git a/app/code/Magento/GoogleAdwords/i18n/de_DE.csv b/app/code/Magento/GoogleAdwords/i18n/de_DE.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/de_DE.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAdwords/i18n/es_ES.csv b/app/code/Magento/GoogleAdwords/i18n/es_ES.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/es_ES.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAdwords/i18n/fr_FR.csv b/app/code/Magento/GoogleAdwords/i18n/fr_FR.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/fr_FR.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAdwords/i18n/nl_NL.csv b/app/code/Magento/GoogleAdwords/i18n/nl_NL.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/nl_NL.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAdwords/i18n/pt_BR.csv b/app/code/Magento/GoogleAdwords/i18n/pt_BR.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/pt_BR.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAdwords/i18n/zh_Hans_CN.csv b/app/code/Magento/GoogleAdwords/i18n/zh_Hans_CN.csv deleted file mode 100644 index 90126968a46d0..0000000000000 --- a/app/code/Magento/GoogleAdwords/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,13 +0,0 @@ -Enable,Enable -Dynamic,Dynamic -Constant,Constant -"Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value.","Conversion Color value is not valid ""%1"". Please set hexadecimal 6-digit value." -"Conversion Id value is not valid ""%1"". Conversion Id should be an integer.","Conversion Id value is not valid ""%1"". Conversion Id should be an integer." -"Google AdWords","Google AdWords" -"Conversion ID","Conversion ID" -"Conversion Language","Conversion Language" -"Conversion Format","Conversion Format" -"Conversion Color","Conversion Color" -"Conversion Label","Conversion Label" -"Conversion Value Type","Conversion Value Type" -"Conversion Value","Conversion Value" diff --git a/app/code/Magento/GoogleAnalytics/i18n/de_DE.csv b/app/code/Magento/GoogleAnalytics/i18n/de_DE.csv deleted file mode 100644 index c20ee05c7c38a..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/de_DE.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,Aktivieren -"Account Number",Kundenkontonummer -"Google API",Google-API -"Google Analytics","Google Analytics" diff --git a/app/code/Magento/GoogleAnalytics/i18n/es_ES.csv b/app/code/Magento/GoogleAnalytics/i18n/es_ES.csv deleted file mode 100644 index 205958c5f86aa..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/es_ES.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,Habilitar -"Account Number","Número de cuenta" -"Google API","Google API" -"Google Analytics","Google Analytics" diff --git a/app/code/Magento/GoogleAnalytics/i18n/fr_FR.csv b/app/code/Magento/GoogleAnalytics/i18n/fr_FR.csv deleted file mode 100644 index 6e60d29b945b9..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/fr_FR.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,Activer -"Account Number","Numéro de compte" -"Google API","Google API" -"Google Analytics","Google Analytics" diff --git a/app/code/Magento/GoogleAnalytics/i18n/nl_NL.csv b/app/code/Magento/GoogleAnalytics/i18n/nl_NL.csv deleted file mode 100644 index a034490f5f5c1..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/nl_NL.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,"Maak bruikbaar" -"Account Number","Account nummer" -"Google API","Google API" -"Google Analytics","Google Analytics" diff --git a/app/code/Magento/GoogleAnalytics/i18n/pt_BR.csv b/app/code/Magento/GoogleAnalytics/i18n/pt_BR.csv deleted file mode 100644 index 95d6c2b76729c..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/pt_BR.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,Ativar -"Account Number","Número de Conta" -"Google API","Google API" -"Google Analytics","Google Analytics" diff --git a/app/code/Magento/GoogleAnalytics/i18n/zh_Hans_CN.csv b/app/code/Magento/GoogleAnalytics/i18n/zh_Hans_CN.csv deleted file mode 100644 index a3424425a9d62..0000000000000 --- a/app/code/Magento/GoogleAnalytics/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,4 +0,0 @@ -Enable,启用 -"Account Number",帐户号码 -"Google API","Google API" -"Google Analytics","Google 分析" diff --git a/app/code/Magento/GoogleOptimizer/i18n/de_DE.csv b/app/code/Magento/GoogleOptimizer/i18n/de_DE.csv deleted file mode 100644 index ad13c3d9d1fa2..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/de_DE.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization","Produktansicht Optimierung" -"Page View Optimization","Seitenansicht Optimierung" -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization","Kategorie-Ansicht Optimierung" -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GoogleOptimizer/i18n/es_ES.csv b/app/code/Magento/GoogleOptimizer/i18n/es_ES.csv deleted file mode 100644 index 35a2ab2991dee..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/es_ES.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization","Optimización de vista de producto." -"Page View Optimization","Optimización de la vista de página." -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization","Optimización de la vista de categorías." -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GoogleOptimizer/i18n/fr_FR.csv b/app/code/Magento/GoogleOptimizer/i18n/fr_FR.csv deleted file mode 100644 index ea0f0f256d589..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/fr_FR.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization","Optimisation de la vue par produit" -"Page View Optimization","Optimisation de la vue par page" -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization","Optimisation de la vue par catégories" -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GoogleOptimizer/i18n/nl_NL.csv b/app/code/Magento/GoogleOptimizer/i18n/nl_NL.csv deleted file mode 100644 index 96a34398ff22f..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/nl_NL.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization","Optimalisatie productaanblik" -"Page View Optimization","Optimalisatie pagina-aanblik" -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization","Categorie aanblik optimalisatie" -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GoogleOptimizer/i18n/pt_BR.csv b/app/code/Magento/GoogleOptimizer/i18n/pt_BR.csv deleted file mode 100644 index fc6be0304b3a4..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/pt_BR.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization","Otimização de Visualização do Produto" -"Page View Optimization","Otimização de Visualização de Página" -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization","Otimização de Visualização de Categoria" -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GoogleOptimizer/i18n/zh_Hans_CN.csv b/app/code/Magento/GoogleOptimizer/i18n/zh_Hans_CN.csv deleted file mode 100644 index 32109201a30b5..0000000000000 --- a/app/code/Magento/GoogleOptimizer/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,7 +0,0 @@ -"Product View Optimization",产品视图优化 -"Page View Optimization",页面视图优化 -"Google Analytics Content Experiments Code","Google Analytics Content Experiments Code" -"Experiment Code","Experiment Code" -"Note: Experiment code should be added to the original page only.","Note: Experiment code should be added to the original page only." -"Category View Optimization",分类视图优化 -"Enable Content Experiments","Enable Content Experiments" diff --git a/app/code/Magento/GroupedProduct/i18n/de_DE.csv b/app/code/Magento/GroupedProduct/i18n/de_DE.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/de_DE.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/GroupedProduct/i18n/es_ES.csv b/app/code/Magento/GroupedProduct/i18n/es_ES.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/es_ES.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/GroupedProduct/i18n/fr_FR.csv b/app/code/Magento/GroupedProduct/i18n/fr_FR.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/fr_FR.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/GroupedProduct/i18n/nl_NL.csv b/app/code/Magento/GroupedProduct/i18n/nl_NL.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/nl_NL.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/GroupedProduct/i18n/pt_BR.csv b/app/code/Magento/GroupedProduct/i18n/pt_BR.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/pt_BR.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/GroupedProduct/i18n/zh_Hans_CN.csv b/app/code/Magento/GroupedProduct/i18n/zh_Hans_CN.csv deleted file mode 100644 index 5f49443a3bcef..0000000000000 --- a/app/code/Magento/GroupedProduct/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,25 +0,0 @@ -Cancel,Cancel -Price,Price -ID,ID -SKU,SKU -Qty,Qty -Name,Name -Availability,Availability -"In stock","In stock" -"Out of stock","Out of stock" -Availability:,Availability: -"No options of this product are available.","No options of this product are available." -"Excl. Tax:","Excl. Tax:" -"Incl. Tax:","Incl. Tax:" -"Product Name","Product Name" -"Associated Products","Associated Products" -"Grouped Products","Grouped Products" -"We cannot process the item.","We cannot process the item." -"Please specify the quantity of product(s).","Please specify the quantity of product(s)." -"There are no grouped products.","There are no grouped products." -"Default Qty","Default Qty" -"Starting at:","Starting at:" -"Grouped product items","Grouped product items" -"Add Selected Products","Add Selected Products" -"Add Products to Group","Add Products to Group" -"Grouped Product Image","Grouped Product Image" diff --git a/app/code/Magento/ImportExport/i18n/de_DE.csv b/app/code/Magento/ImportExport/i18n/de_DE.csv deleted file mode 100644 index 9a86f78898167..0000000000000 --- a/app/code/Magento/ImportExport/i18n/de_DE.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","-- Bitte wählen --" -Status,Status -From,From -To,To -Export,Export -label,label -"Attribute Code","Attribute Code" -Import,Import -Continue,Weiter -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data","Daten prüfen" -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,Import/Export -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one","Datei enthält keine Daten. Bitte laden Sie eine andere hoch" -"File is valid! To start import process press ""Import"" button","Datei ist gültig! Klicken Sie auf den Import-Button, um den Importvorgang zu starten." -"File is valid, but import is not possible","Datei ist gültig, Import ist aber nicht möglich" -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded","Daten sind ungültig oder Datei ist nicht hochgeladen" -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible","Datei ist teilweise gültig, Import ist aber nicht möglich" -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown","Entity ist unbekannt" -"File format is unknown","Dateityp unbekannt" -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string","Zieldatei-Pfad muss eine Reihe sein" -"Destination directory is not writable","Zielverzeichnis ist nicht beschreibbar" -"Destination file is not writable","Zieldatei ist nicht beschreibbar" -"Header column names already set","Spaltennamen in der Kopfzeile sind schon festgelegt." -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension","Hochgeladene Datei hat keine Dateiendung" -"Source file moving failed","Verschieben der Quelldatei fehlgeschlagen" -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set","Quelle ist nicht festgelegt" -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes",Entitätenattribute -"Validation Results",Prüfergebnisse diff --git a/app/code/Magento/ImportExport/i18n/es_ES.csv b/app/code/Magento/ImportExport/i18n/es_ES.csv deleted file mode 100644 index 7ad44414b61b0..0000000000000 --- a/app/code/Magento/ImportExport/i18n/es_ES.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","-- Por favor seleccione --" -Status,Progreso -From,From -To,To -Export,Exportar -label,label -"Attribute Code","Attribute Code" -Import,Importar -Continue,Continuar -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data","Verificar los datos" -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,Importar/Exportar -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one","El archivo no contiene datos. Por favor cargue otro distinto" -"File is valid! To start import process press ""Import"" button","El archivo no es correcto. Para empezar el proceso de importación pulse el botón ""Importar""" -"File is valid, but import is not possible","El archivo es válido, pero importar no es posible" -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded","Los datos son incorrectos o el archivo no está cargado" -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible","El archivo es parcialmente válido, pero no es posible importar" -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown","Entidad desconocida" -"File format is unknown","Formato de archivo desconocido" -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string","La ruta del archivo de destino debe ser una cadena" -"Destination directory is not writable","No se puede escribir en el directorio de destino" -"Destination file is not writable","No se puede escribir en el archivo de destino" -"Header column names already set","Nombres de los encabezados de las columnas ya fijados" -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension","El archivo cargado no tiene extensión" -"Source file moving failed","Fallo al mover el archivo de origen" -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set","No se ha definido el origen" -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes","Atributos de la Entidad" -"Validation Results","Resultados de Validación" diff --git a/app/code/Magento/ImportExport/i18n/fr_FR.csv b/app/code/Magento/ImportExport/i18n/fr_FR.csv deleted file mode 100644 index fa3f5d0a72372..0000000000000 --- a/app/code/Magento/ImportExport/i18n/fr_FR.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","-- Veuillez sélectionner --" -Status,Statut -From,From -To,To -Export,Exporter -label,label -"Attribute Code","Attribute Code" -Import,Importation -Continue,Continuer -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data","Vérifier données" -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,"Importer / Exporter" -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one","Le fichier ne contient pas de donné. Veuillez en soumettre un nouveau" -"File is valid! To start import process press ""Import"" button","Fichier valide ! Pour lancer le processus d'importation, appuyez sur le bouton ""Importer""" -"File is valid, but import is not possible","Le fichier est valide, mais l'importation n'est pas possible" -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded","Donnée invalide ou fichier non soumis;" -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible","Le fichier est partiellement valide, mais l'importation est impossible" -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown","Entitée inconnue" -"File format is unknown","Format de fichier inconnu" -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string","Le répertoire de destination du fichier doit être une variable" -"Destination directory is not writable","Le répertoire de destination n'est pas accessible en écriture" -"Destination file is not writable","Le fichier de destination n'est pas accessible en écriture" -"Header column names already set","Noms de colonnes déjà fixés" -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension","Le fichier téléchargé n'a pas d'extension" -"Source file moving failed","Le déplacement du fichier source a échoué" -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set","La source n'est pas définie" -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes","Attributs de l'entité" -"Validation Results","Résultats validation" diff --git a/app/code/Magento/ImportExport/i18n/nl_NL.csv b/app/code/Magento/ImportExport/i18n/nl_NL.csv deleted file mode 100644 index 900f14c5ae73a..0000000000000 --- a/app/code/Magento/ImportExport/i18n/nl_NL.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","-- Selecteer alstublieft --" -Status,Status -From,From -To,To -Export,Export -label,label -"Attribute Code","Attribute Code" -Import,Import -Continue,Doorgaan -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data","Kijk Data Na" -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,Import/Export -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one","Bestand bevat geen gegevens. Upload a.u.b. een andere" -"File is valid! To start import process press ""Import"" button","Bestand is geldig! Om het importeren te starten klik op de ""Import"" knop" -"File is valid, but import is not possible","Bestand is geldig, maar het is niet mogelijk te importeren" -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded","Gegevens zijn ongeldig of bestand is niet geüpload" -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible","Bestand is gedeeltelijk geldig, maar het is niet mogelijk te importeren" -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown","Entiteit is onbekend" -"File format is unknown","Bestand format is onbekend" -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string","Bestemmingspad bestand moet tekst zijn" -"Destination directory is not writable","Bestemmingsmap is niet beschrijfbaar" -"Destination file is not writable","Bestemmingsbestand is niet schrijfbaar" -"Header column names already set","Koptekst kolom namen zijn reeds ingesteld" -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension","Het geüploade bestand heeft geen uitgang" -"Source file moving failed","Verplaatsen van het bronbestand mislukt" -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set","Bron is niet aangegeven" -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes",Eenheidattributen -"Validation Results","Validatie Resultaten" diff --git a/app/code/Magento/ImportExport/i18n/pt_BR.csv b/app/code/Magento/ImportExport/i18n/pt_BR.csv deleted file mode 100644 index d05faf9f0d311..0000000000000 --- a/app/code/Magento/ImportExport/i18n/pt_BR.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","- Por Favor Selecione -" -Status,Status -From,From -To,To -Export,Exportar -label,label -"Attribute Code","Attribute Code" -Import,Importar -Continue,Continue -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data","Verificar Dados" -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,Importação/Exportação -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one","Arquivo não contém dados. Por favor envie outro" -"File is valid! To start import process press ""Import"" button","Arquivo é válido! Para iniciar o processo de importação carregue no botão ""Importar""" -"File is valid, but import is not possible","Arquivo é válido, mas a importação não é possível" -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded","Dados são inválidos ou arquivo não está carregado" -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible","Arquivo é parcialmente válido, mas a importação não é possível" -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown","Entidade desconhecida" -"File format is unknown","Formato de arquivo é desconhecido" -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string","Caminho do arquivo de destino deve ser uma sequência" -"Destination directory is not writable","Diretório de destino não é gravável" -"Destination file is not writable","Arquivo de destino não é gravável" -"Header column names already set","Nomes das colunas de cabeçalho já estão definidos" -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension","O arquivo carregado não possui extensão" -"Source file moving failed","Falha na movimentação do arquivo fonte" -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set","A fonte não está definida" -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes","Atributos da entidade" -"Validation Results","Resultados de Validação" diff --git a/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv b/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv deleted file mode 100644 index 64e0a7d30a712..0000000000000 --- a/app/code/Magento/ImportExport/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,92 +0,0 @@ -"-- Please Select --","-- 请选择 --" -Status,状态 -From,From -To,To -Export,导出 -label,label -"Attribute Code","Attribute Code" -Import,导入 -Continue,继续 -"Attribute Label","Attribute Label" -"Export Settings","Export Settings" -"Entity Type","Entity Type" -"Export File Format","Export File Format" -"Attribute does not has options, so filtering is impossible","Attribute does not has options, so filtering is impossible" -Exclude,Exclude -Filter,Filter -"Unknown attribute filter type","Unknown attribute filter type" -"Check Data",检查数据 -"Import Settings","Import Settings" -"Import Behavior","Import Behavior" -"File to Import","File to Import" -"Select File to Import","Select File to Import" -Import/Export,导入/导出 -"Please correct the data sent.","Please correct the data sent." -"Import successfully done","Import successfully done" -"File does not contain data. Please upload another one",文件不包含数据。请上传另一个文件 -"File is valid! To start import process press ""Import"" button",文件有效!要开始导入,请单击“导入”按钮 -"File is valid, but import is not possible",文件有效,但无法导入 -"Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4","Checked rows: %1, checked entities: %2, invalid rows: %3, total errors: %4" -"Please fix errors and re-upload file.","Please fix errors and re-upload file." -"File was not uploaded","File was not uploaded" -"Data is invalid or file is not uploaded",数据无效,或文件未被上传 -"File is totally invalid. Please fix errors and re-upload file.","File is totally invalid. Please fix errors and re-upload file." -"Errors limit (%1) reached. Please fix errors and re-upload file.","Errors limit (%1) reached. Please fix errors and re-upload file." -"Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors","Please fix errors and re-upload file or simply press ""Import"" button' ' to skip rows with errors" -"File is partially valid, but import is not possible",文件部分有效,但无法导入 -"in rows:","in rows:" -"The total size of the uploadable files can't be more than %1M","The total size of the uploadable files can't be more than %1M" -"System doesn't allow to get file upload settings","System doesn't allow to get file upload settings" -"Please enter a correct entity model","Please enter a correct entity model" -"Entity adapter object must be an instance of %1 or %2","Entity adapter object must be an instance of %1 or %2" -"The input entity code is not equal to entity adapter code.","The input entity code is not equal to entity adapter code." -"Please enter a correct entity.","Please enter a correct entity." -"Adapter object must be an instance of %1","Adapter object must be an instance of %1" -"Please correct the file format.","Please correct the file format." -"Begin export of %1","Begin export of %1" -"There is no data for export","There is no data for export" -"Exported %1 rows.","Exported %1 rows." -"Export has been done.","Export has been done." -"Please provide filter data.","Please provide filter data." -"Cannot determine attribute filter type","Cannot determine attribute filter type" -"Entity is unknown",未知实体 -"File format is unknown",未知的文件格式 -"Please correct the value for '%1' column","Please correct the value for '%1' column" -"Please specify writer.","Please specify writer." -"Destination file path must be a string",目标文件路径必须为字符串 -"Destination directory is not writable",目标目录不可写 -"Destination file is not writable",目标文件不可写 -"Header column names already set",标题列名称已设置 -"in rows","in rows" -"Validation finished successfully","Validation finished successfully" -"File does not contain data.","File does not contain data." -"Begin import of ""%1"" with ""%2"" behavior","Begin import of ""%1"" with ""%2"" behavior" -"Import has been done successfuly.","Import has been done successfuly." -"File was not uploaded.","File was not uploaded." -"Uploaded file has no extension",已上传的文件没有扩展名 -"Source file moving failed",源文件移动失败 -"Begin data validation","Begin data validation" -"Done import data validation","Done import data validation" -"Invalid behavior token for %1","Invalid behavior token for %1" -"Source is not set",源未设置 -"Please correct the value for '%s'.","Please correct the value for '%s'." -"Duplicate Unique Attribute for '%s'","Duplicate Unique Attribute for '%s'" -"Cannot find required columns: %1","Cannot find required columns: %1" -"Columns number: ""%1"" have empty headers","Columns number: ""%1"" have empty headers" -"Column names: ""%1"" are invalid","Column names: ""%1"" are invalid" -"The adapter type must be a non empty string.","The adapter type must be a non empty string." -"Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource","Adapter must be an instance of \Magento\ImportExport\Model\Import\AbstractSource" -"Please specify a source.","Please specify a source." -"Cannot get autoincrement value","Cannot get autoincrement value" -"Error in data structure: %1 values are mixed","Error in data structure: %1 values are mixed" -"Add/Update","Add/Update" -"Field separator","Field separator" -"Multiple value separator","Multiple value separator" -"Images File Directory","Images File Directory" -"For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir","For Type ""Local Server"" use relative path to Magento installation, e.g. var/export, var/import, var/export/some/dir" -"Replace Existing Complex Data","Replace Existing Complex Data" -"Delete Entities","Delete Entities" -"Add/Update Complex Data","Add/Update Complex Data" -"Custom Action","Custom Action" -"Entity Attributes",编辑属性 -"Validation Results",验证结果 diff --git a/app/code/Magento/Indexer/i18n/de_DE.csv b/app/code/Magento/Indexer/i18n/de_DE.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/de_DE.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Indexer/i18n/es_ES.csv b/app/code/Magento/Indexer/i18n/es_ES.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/es_ES.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Indexer/i18n/fr_FR.csv b/app/code/Magento/Indexer/i18n/fr_FR.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/fr_FR.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Indexer/i18n/nl_NL.csv b/app/code/Magento/Indexer/i18n/nl_NL.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/nl_NL.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Indexer/i18n/pt_BR.csv b/app/code/Magento/Indexer/i18n/pt_BR.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/pt_BR.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Indexer/i18n/zh_Hans_CN.csv b/app/code/Magento/Indexer/i18n/zh_Hans_CN.csv deleted file mode 100644 index aab33db9d1840..0000000000000 --- a/app/code/Magento/Indexer/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,19 +0,0 @@ -Status,Status -Description,Description -Never,Never -Updated,Updated -Mode,Mode -"Update on Save","Update on Save" -Ready,Ready -Processing,Processing -"Indexer Management","Indexer Management" -"Update by Schedule","Update by Schedule" -"Reindex required","Reindex required" -"Index Management","Index Management" -"Please select indexers.","Please select indexers." -"A total of %1 indexer(s) have been turned Update on Save mode on.","A total of %1 indexer(s) have been turned Update on Save mode on." -"We couldn't change indexer(s)' mode because of an error.","We couldn't change indexer(s)' mode because of an error." -"A total of %1 indexer(s) have been turned Update by Schedule mode on.","A total of %1 indexer(s) have been turned Update by Schedule mode on." -"State for the same indexer","State for the same indexer" -"State for the same view","State for the same view" -Indexer,Indexer diff --git a/app/code/Magento/Integration/i18n/de_DE.csv b/app/code/Magento/Integration/i18n/de_DE.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/de_DE.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/Integration/i18n/es_ES.csv b/app/code/Magento/Integration/i18n/es_ES.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/es_ES.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/Integration/i18n/fr_FR.csv b/app/code/Magento/Integration/i18n/fr_FR.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/fr_FR.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/Integration/i18n/nl_NL.csv b/app/code/Magento/Integration/i18n/nl_NL.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/nl_NL.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/Integration/i18n/pt_BR.csv b/app/code/Magento/Integration/i18n/pt_BR.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/pt_BR.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/Integration/i18n/zh_Hans_CN.csv b/app/code/Magento/Integration/i18n/zh_Hans_CN.csv deleted file mode 100644 index 285c9c3aa115f..0000000000000 --- a/app/code/Magento/Integration/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,70 +0,0 @@ -Remove,Remove -Cancel,Cancel -Edit,Edit -Email,Email -Save,Save -General,General -Name,Name -Status,Status -View,View -Active,Active -"Basic Settings","Basic Settings" -Allow,Allow -Inactive,Inactive -Integrations,Integrations -"Add New Integration","Add New Integration" -"Save & Activate","Save & Activate" -"New Integration","New Integration" -"Edit Integration '%1'","Edit Integration '%1'" -"Integration Info","Integration Info" -"Callback URL","Callback URL" -"Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://.","Enter URL where Oauth credentials can be sent when using Oauth for token exchange. We strongly recommend using https://." -"Identity link URL","Identity link URL" -"URL to redirect user to link their 3rd party account with this Magento integration credentials.","URL to redirect user to link their 3rd party account with this Magento integration credentials." -"Integration Details","Integration Details" -"Integration Tokens for Extensions","Integration Tokens for Extensions" -"Consumer Key","Consumer Key" -"Consumer Secret","Consumer Secret" -"Access Token","Access Token" -"Access Token Secret","Access Token Secret" -"Uninstall the extension to remove this integration","Uninstall the extension to remove this integration" -Activate,Activate -Reauthorize,Reauthorize -"Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information","Warning! Integrations not using HTTPS are insecure and potentially expose private or personally identifiable information" -"Internal error. Check exception log for details.","Internal error. Check exception log for details." -"Integration ID is not specified or is invalid.","Integration ID is not specified or is invalid." -"View ""%1"" Integration","View ""%1"" Integration" -"Edit ""%1"" Integration","Edit ""%1"" Integration" -"The integration '%1' has been saved.","The integration '%1' has been saved." -"The integration was not saved.","The integration was not saved." -"Uninstall the extension to remove integration '%1'.","Uninstall the extension to remove integration '%1'." -"This integration no longer exists.","This integration no longer exists." -"The integration '%1' has been deleted.","The integration '%1' has been deleted." -"The integration '%1' has been re-authorized.","The integration '%1' has been re-authorized." -"The integration '%1' has been activated.","The integration '%1' has been activated." -"Integration '%1' has been sent for re-authorization.","Integration '%1' has been sent for re-authorization." -"Integration '%1' has been sent for activation.","Integration '%1' has been sent for activation." -"Invalid Callback URL","Invalid Callback URL" -"Invalid Rejected Callback URL","Invalid Rejected Callback URL" -"%name% '%value%' is too long. It must has length %min% symbols.","%name% '%value%' is too long. It must has length %min% symbols." -"%name% '%value%' is too short. It must has length %min% symbols.","%name% '%value%' is too short. It must has length %min% symbols." -"Integration with name '%1' exists.","Integration with name '%1' exists." -"Integration with ID '%1' does not exist.","Integration with ID '%1' does not exist." -"A consumer with ID %1 does not exist","A consumer with ID %1 does not exist" -"Consumer with ID '%1' does not exist.","Consumer with ID '%1' does not exist." -"The integration you selected asks you to approve access to the following:","The integration you selected asks you to approve access to the following:" -"Are you sure ?","Are you sure ?" -"Are you sure you want to delete this integration? You can't undo this action.","Are you sure you want to delete this integration? You can't undo this action." -"Please setup or sign in into your 3rd party account to complete setup of this integration.","Please setup or sign in into your 3rd party account to complete setup of this integration." -Done,Done -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -OAuth,OAuth -"Cleanup Settings","Cleanup Settings" -"Cleanup Probability","Cleanup Probability" -"Expiration Period","Expiration Period" -"Consumer Settings","Consumer Settings" -"OAuth consumer credentials HTTP Post maxredirects","OAuth consumer credentials HTTP Post maxredirects" -"OAuth consumer credentials HTTP Post timeout","OAuth consumer credentials HTTP Post timeout" -"Integrations Configuration","Integrations Configuration" -"Integration configuration file.","Integration configuration file." -"No Integrations Found","No Integrations Found" diff --git a/app/code/Magento/LayeredNavigation/i18n/de_DE.csv b/app/code/Magento/LayeredNavigation/i18n/de_DE.csv deleted file mode 100644 index d5fbd1f8b576b..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/de_DE.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation","Filternavigation auf Suchergebnisseiten verwenden" -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation","Navigation in Suchergebnissen nutzen" -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/LayeredNavigation/i18n/es_ES.csv b/app/code/Magento/LayeredNavigation/i18n/es_ES.csv deleted file mode 100644 index ecf822688399d..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/es_ES.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation","Utilizar en navegación en capas" -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation","Utilizar en la navegación por capas de los resultados de búsqueda" -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/LayeredNavigation/i18n/fr_FR.csv b/app/code/Magento/LayeredNavigation/i18n/fr_FR.csv deleted file mode 100644 index c721116798b79..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/fr_FR.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation","Utiliser en Navigation par Couches" -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation","Utilisez la page de résultats de navigation en couches" -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/LayeredNavigation/i18n/nl_NL.csv b/app/code/Magento/LayeredNavigation/i18n/nl_NL.csv deleted file mode 100644 index c7c1e28bb47a6..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/nl_NL.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation","Gebruik in Layered Navigatie" -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation","Gebruik in Zoek Resultaten een Gelaagde Navigatie" -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/LayeredNavigation/i18n/pt_BR.csv b/app/code/Magento/LayeredNavigation/i18n/pt_BR.csv deleted file mode 100644 index cad381e8fcf2d..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/pt_BR.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation","Use em Navegação em Camadas" -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation","Use Em Resultados de Pesquisa de Navegação em Camadas" -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/LayeredNavigation/i18n/zh_Hans_CN.csv b/app/code/Magento/LayeredNavigation/i18n/zh_Hans_CN.csv deleted file mode 100644 index b78842db18810..0000000000000 --- a/app/code/Magento/LayeredNavigation/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,26 +0,0 @@ -No,No -Previous,Previous -Position,Position -"Shop By","Shop By" -"Shopping Options","Shopping Options" -"Remove This Item","Remove This Item" -"Clear All","Clear All" -"Use In Layered Navigation",使用分层导航 -"Can be used only with catalog input type Dropdown, Multiple Select and Price","Can be used only with catalog input type Dropdown, Multiple Select and Price" -"Filterable (with results)","Filterable (with results)" -"Filterable (no results)","Filterable (no results)" -"Use In Search Results Layered Navigation",使用搜索结果内层次导航 -"Position in Layered Navigation","Position in Layered Navigation" -"Position of attribute in layered navigation block","Position of attribute in layered navigation block" -"Use in Layered Navigation","Use in Layered Navigation" -"Currently Shopping by:","Currently Shopping by:" -"Layered Navigation","Layered Navigation" -"Display Product Count","Display Product Count" -"Price Navigation Step Calculation","Price Navigation Step Calculation" -"Default Price Navigation Step","Default Price Navigation Step" -"Maximum Number of Price Intervals","Maximum Number of Price Intervals" -"Maximum number of price intervals is 100","Maximum number of price intervals is 100" -"Display Price Interval as One Price","Display Price Interval as One Price" -"This setting will be applied when all prices in the specific price interval are equal.","This setting will be applied when all prices in the specific price interval are equal." -"Interval Division Limit","Interval Division Limit" -"Please specify the number of products, that will not be divided into subintervals.","Please specify the number of products, that will not be divided into subintervals." diff --git a/app/code/Magento/Marketplace/i18n/de_DE.csv b/app/code/Magento/Marketplace/i18n/de_DE.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/de_DE.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/Marketplace/i18n/es_ES.csv b/app/code/Magento/Marketplace/i18n/es_ES.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/es_ES.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/Marketplace/i18n/fr_FR.csv b/app/code/Magento/Marketplace/i18n/fr_FR.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/fr_FR.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/Marketplace/i18n/nl_NL.csv b/app/code/Magento/Marketplace/i18n/nl_NL.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/nl_NL.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/Marketplace/i18n/pt_BR.csv b/app/code/Magento/Marketplace/i18n/pt_BR.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/pt_BR.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/Marketplace/i18n/zh_Hans_CN.csv b/app/code/Magento/Marketplace/i18n/zh_Hans_CN.csv deleted file mode 100644 index e0a266e1291f3..0000000000000 --- a/app/code/Magento/Marketplace/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1 +0,0 @@ -"Find Partners & Extensions","Find Partners & Extensions" diff --git a/app/code/Magento/MediaStorage/i18n/de_DE.csv b/app/code/Magento/MediaStorage/i18n/de_DE.csv deleted file mode 100644 index 7cfc4ae6c12b6..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/de_DE.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system",Dateisystem -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format","Falsches Format Dateiinfo" -"Please set available and/or protected paths list(s) before validation.","Bitte stellen Sie vor der Bestätigung die Liste(n) der verfügbaren und/oder geschützten Pfade ein." -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/MediaStorage/i18n/es_ES.csv b/app/code/Magento/MediaStorage/i18n/es_ES.csv deleted file mode 100644 index 0ad1da242f2a6..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/es_ES.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system","Sistema de archivos" -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format","Formato de información del archivo incorrecto" -"Please set available and/or protected paths list(s) before validation.","Por favor, indique la(s) lista(s) de rutas disponibles y/o protegidas antes de la validación." -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/MediaStorage/i18n/fr_FR.csv b/app/code/Magento/MediaStorage/i18n/fr_FR.csv deleted file mode 100644 index 0d2d7dab58b82..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/fr_FR.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system","Système de fichiers" -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format","Informations du format de fichiers incorrectes" -"Please set available and/or protected paths list(s) before validation.","Veuillez définir la/les liste(s) de chemins disponibles et/ou protégés avant la validation." -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/MediaStorage/i18n/nl_NL.csv b/app/code/Magento/MediaStorage/i18n/nl_NL.csv deleted file mode 100644 index abedda328cd45..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/nl_NL.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system",Bestandssysteem -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format","Verkeerde bestandsinformatiebestand" -"Please set available and/or protected paths list(s) before validation.","Stel beschikbare en/of beschermde pad lijst(en) in voor validatie." -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/MediaStorage/i18n/pt_BR.csv b/app/code/Magento/MediaStorage/i18n/pt_BR.csv deleted file mode 100644 index d9022058d08f6..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/pt_BR.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system","Sistema de arquivo" -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format","Formato de arquivo de informação errado" -"Please set available and/or protected paths list(s) before validation.","Por favor defina lista(s) de caminhos disponíveis e/ou protegidos antes da validação." -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/MediaStorage/i18n/zh_Hans_CN.csv b/app/code/Magento/MediaStorage/i18n/zh_Hans_CN.csv deleted file mode 100644 index c0847a9f4600e..0000000000000 --- a/app/code/Magento/MediaStorage/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,10 +0,0 @@ -"Requested resource not found","Requested resource not found" -"File %1 does not exist","File %1 does not exist" -"File %1 is not readable","File %1 is not readable" -"Parent directory does not exist: %1","Parent directory does not exist: %1" -"File system",文件系统 -"Unable to save file ""%1"" at ""%2""","Unable to save file ""%1"" at ""%2""" -"Wrong file info format",错误的文件信息格式 -"Please set available and/or protected paths list(s) before validation.",请设置有效并/或受保护的路径列表,随后再验证。 -"Unable to create directory: %1","Unable to create directory: %1" -"Unable to save file: %1","Unable to save file: %1" diff --git a/app/code/Magento/Multishipping/i18n/de_DE.csv b/app/code/Magento/Multishipping/i18n/de_DE.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/de_DE.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Multishipping/i18n/es_ES.csv b/app/code/Magento/Multishipping/i18n/es_ES.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/es_ES.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Multishipping/i18n/fr_FR.csv b/app/code/Magento/Multishipping/i18n/fr_FR.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/fr_FR.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Multishipping/i18n/nl_NL.csv b/app/code/Magento/Multishipping/i18n/nl_NL.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/nl_NL.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Multishipping/i18n/pt_BR.csv b/app/code/Magento/Multishipping/i18n/pt_BR.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/pt_BR.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Multishipping/i18n/zh_Hans_CN.csv b/app/code/Magento/Multishipping/i18n/zh_Hans_CN.csv deleted file mode 100644 index f4d30b90b52f5..0000000000000 --- a/app/code/Magento/Multishipping/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,79 +0,0 @@ -Product,Product -Price,Price -Qty,Qty -Subtotal,Subtotal -Total,Total -"Incl. Tax","Incl. Tax" -"Total incl. tax","Total incl. tax" -"Remove item","Remove item" -Items,Items -Change,Change -"Product Name","Product Name" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Shipping Method" -"Continue Shopping","Continue Shopping" -"Billing Address","Billing Address" -"Payment Method","Payment Method" -"Place Order","Place Order" -"Sorry, no quotes are available for this order at this time.","Sorry, no quotes are available for this order at this time." -"Thank you for your purchase!","Thank you for your purchase!" -"Edit Address","Edit Address" -"Add New Address","Add New Address" -"Change Billing Address","Change Billing Address" -"Remove Item","Remove Item" -"Ship to Multiple Addresses","Ship to Multiple Addresses" -"Billing Information - %1","Billing Information - %1" -"Review Order - %1","Review Order - %1" -"Total for this address","Total for this address" -"Shipping Methods","Shipping Methods" -"Data saving problem","Data saving problem" -"We cannot open the overview page.","We cannot open the overview page." -"Please agree to all Terms and Conditions before placing the order.","Please agree to all Terms and Conditions before placing the order." -"Order place error","Order place error" -"Create Shipping Address","Create Shipping Address" -"Edit Shipping Address","Edit Shipping Address" -"Create Billing Address","Create Billing Address" -"Edit Billing Address","Edit Billing Address" -"Maximum qty allowed for Shipping to multiple addresses is %1","Maximum qty allowed for Shipping to multiple addresses is %1" -"Please select shipping methods for all addresses.","Please select shipping methods for all addresses." -"Payment method is not defined","Payment method is not defined" -"The requested Payment Method is not available for multishipping.","The requested Payment Method is not available for multishipping." -"Item not found or already ordered","Item not found or already ordered" -"Please specify a payment method.","Please specify a payment method." -"Please check shipping addresses information.","Please check shipping addresses information." -"Please specify shipping methods for all addresses.","Please specify shipping methods for all addresses." -"Please check billing address information.","Please check billing address information." -"Select Addresses","Select Addresses" -"Order Success","Order Success" -"Default Billing","Default Billing" -"Default Shipping","Default Shipping" -"Select Address","Select Address" -"Back to Billing Information","Back to Billing Information" -"Please select a shipping address for applicable items.","Please select a shipping address for applicable items." -"Enter a New Address","Enter a New Address" -"Send To","Send To" -"Shipping selection is not applicable.","Shipping selection is not applicable." -"Continue to Shipping Information","Continue to Shipping Information" -"Update Qty & Addresses","Update Qty & Addresses" -"Back to Shopping Cart","Back to Shopping Cart" -"Continue to Review Your Order","Continue to Review Your Order" -"Back to Shipping Information","Back to Shipping Information" -"Other items in your order","Other items in your order" -"Edit Items","Edit Items" -"Checkout with Multiple Addresses","Checkout with Multiple Addresses" -"Address %1 of %2","Address %1 of %2" -"Shipping To","Shipping To" -"Grand Total:","Grand Total:" -"Submitting order information...","Submitting order information..." -"Select Shipping Method","Select Shipping Method" -"Continue to Billing Information","Continue to Billing Information" -"Back to Select Addresses","Back to Select Addresses" -"Thanks for your order. We'll send you emails with order details and tracking information.","Thanks for your order. We'll send you emails with order details and tracking information." -"Your order number is ","Your order number is " -"Review Order","Review Order" -Options,Options -"Your order has been received.","Your order has been received." -"Multishipping Settings","Multishipping Settings" -"Allow Shipping to Multiple Addresses","Allow Shipping to Multiple Addresses" -"Maximum Qty Allowed for Shipping to Multiple Addresses","Maximum Qty Allowed for Shipping to Multiple Addresses" diff --git a/app/code/Magento/Newsletter/i18n/de_DE.csv b/app/code/Magento/Newsletter/i18n/de_DE.csv deleted file mode 100644 index 98a16ae2e7702..0000000000000 --- a/app/code/Magento/Newsletter/i18n/de_DE.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,Abbrechen -Back,Zurück -ID,ID -Action,Aktion -Reset,Zurücksetzen -Customer,Kunde -Guest,Gast -Email,E-Mail -Delete,Löschen -Store,Shop -"Web Site","Web Site" -Status,Status -"Store View",Store-Ansicht -Type,Typ -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,Vorschau -Subject,Betreff -Sent,Gesendet -"Not Sent","Nicht gesendet" -Sending,"Wird gesendet" -Paused,Pausiert -Newsletter,Newsletter -Updated,Updated -"Newsletter Subscription","Newsletter abonnieren" -"Add New Template","Neues Template hinzufügen" -"Delete Template","Template löschen" -"Convert to Plain Text","In einfachen Text umwandeln" -"Preview Template","Vorschau der Vorlage" -"Save Template","Vorlage speichern" -"Template Information",Vorlagen-Information -"Template Name","Name der Vorlage" -"Template Subject",Vorlagen-Betreff -"Template Content",Vorlagen-Inhalt -"Template Styles",Vorlagenstile -"Edit Template","Template bearbeiten" -"New Template","Neue Vorlage" -Template,Template -"Are you sure that you want to delete this template?","Sind Sie sicher, dass Sie diese Vorlage löschen möchten?" -"Sender Name","Absender Name" -"Sender Email","Absender E-Mail" -Message,Nachricht -Recipients,Empfänger -"Please enter a valid email address.","Bitte geben Sie eine gültige E-Mail Adresse ein" -"Delete Selected Problems","Ausgewählte Probleme löschen" -"Unsubscribe Selected","""Abonnement beenden"" ausgewählt" -"Save Newsletter","Newsletter speichern" -"Save and Resume","Speichern und fortfahren" -"View Newsletter","Newsletter ansehen" -"Edit Newsletter","Newsletter bearbeiten" -"Queue Information","Warteschlange Informationen" -"Queue Date Start","Queue Date Start" -"Subscribers From","Abonennten aus" -"Newsletter Styles",Newsletterstile -Start,Start -Pause,Pause -"Do you really want to cancel the queue?","Wollen Sie wirklich die Warteschlange abbrechen?" -Resume,Fortfahren -"Newsletter Templates","Newsletter Vorlagen" -"Return HTML Version","HTML Version zurückholen" -"Save As","Speichern unter" -"Edit Newsletter Template","Newsletter-Template bearbeiten" -"New Newsletter Template","Neue Newsletter Vorlage" -"No Templates Found","Keine Vorlagen gefunden" -Added,Added -Sender,Absender -"Template Type",Vorlagentyp -"Queue Newsletter...","Warteschlange Newsletter..." -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports","Newsletter Problembericht" -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue","Newsletter Warteschlange" -"Edit Queue","Warteschlange bearbeiten" -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers","Newsletter Bezieher" -Subscribers,Abonnenten -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template","Newsletter-Template erstellen" -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.","Danke für Ihr Abonnement." -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.","Ihr Abonnement wurde bestätigt." -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.","Ihr Abonnement wurde gekündigt." -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.","Diese E-Mail-Adresse wird schon von einem anderen Nutzer verwendet." -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,Abgebrochen -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview","Newsletternachricht Vorschau" -"Add to Queue","Zur Warteschlange hinzufügen" -"Are you sure that you want to strip all tags?","Sind Sie sicher, dass Sie alle Tags entfernen wollen?" -"Please enter new template name.","Please enter new template name." -" Copy",Kopie -"Sign Up for Our Newsletter:","Melden Sie sich für unseren Newsletter an:" -"Enter your email address","Enter your email address" -Subscribe,Abonnieren -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,Abonnent -"Queue Start Date","Warteschlange Datum Start" -"Queue Subject","Warteschlange Gegendstand" -"Error Code",Fehlercode -"Error Text",Fehlertext -"Queue Start","Warteschlange Start" -"Queue End","Warteschlange Fertig" -Processed,Verarbeitet -Unsubscribe,"Abonnement kündigen" -"Customer First Name",Kunden-Vorname -"Customer Last Name","Nachname des Kunden" -"Not Activated","Nicht aktiviert" -Subscribed,Abonniert -Unsubscribed,"Abonnements gekündigt" -Unconfirmed,Unbestätigt -"Newsletter Template","Newsletter Vorlage" diff --git a/app/code/Magento/Newsletter/i18n/es_ES.csv b/app/code/Magento/Newsletter/i18n/es_ES.csv deleted file mode 100644 index 43c2e724ea769..0000000000000 --- a/app/code/Magento/Newsletter/i18n/es_ES.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,Cancelar -Back,Volver -ID,ID -Action,Acción -Reset,Restablecer -Customer,Cliente -Guest,Invitado -Email,"Correo electrónico" -Delete,Eliminar -Store,Tienda -"Web Site","Web Site" -Status,Estado -"Store View","Ver Tienda" -Type,Tipo -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,"Vista Previa" -Subject,Asunto -Sent,Enviada -"Not Sent","No enviado" -Sending,Enviando -Paused,"En pausa" -Newsletter,"Boletín informativo" -Updated,Updated -"Newsletter Subscription","Suscripción al boletín de noticias" -"Add New Template","Agregar nueva plantilla" -"Delete Template","Eliminar plantilla" -"Convert to Plain Text","Convertir a texto sin formato" -"Preview Template","Vista previa de plantilla" -"Save Template","Guardar Plantilla" -"Template Information","Información de la plantilla" -"Template Name","Nombre de Plantilla" -"Template Subject","Tema de la plantilla" -"Template Content","Contenido de la plantilla" -"Template Styles","Estilos de Plantilla" -"Edit Template","Editar plantilla" -"New Template","Nueva Plantilla" -Template,Template -"Are you sure that you want to delete this template?","¿Está seguro de que quiere borrar esta plantilla?" -"Sender Name","Nombre del Remitente" -"Sender Email","E-mail del Remitente" -Message,Mensaje -Recipients,Destinatarios -"Please enter a valid email address.","Introduzca una dirección de correo electrónico válida." -"Delete Selected Problems","Eliminar problemas seleccionados" -"Unsubscribe Selected","Cancelar Suscripción Seleccionado" -"Save Newsletter","Guardar Boletín de Noticias" -"Save and Resume","Guardar y Reanudar" -"View Newsletter","Ver boletín de noticias" -"Edit Newsletter","Editar boletín informativo" -"Queue Information","Información de Cola" -"Queue Date Start","Queue Date Start" -"Subscribers From","Suscriptores De" -"Newsletter Styles","Estilos del Boletín de Noticias" -Start,Comenzar -Pause,Pausa -"Do you really want to cancel the queue?","¿Realmente desea cancelar la cola?" -Resume,Reanudar -"Newsletter Templates","Plantillas de Boletín de Noticias" -"Return HTML Version","Devolver Versión HTML" -"Save As","Guardar Como" -"Edit Newsletter Template","Editar plantilla de boletín informativo" -"New Newsletter Template","Plantilla de Boletín de Noticias Nueva" -"No Templates Found","No se Encontraron Plantillas" -Added,Added -Sender,Remitente -"Template Type","Tipo de Plantilla" -"Queue Newsletter...","Boletín de Noticias en Cola..." -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports","Informe de Problemas del Boletín de Noticias" -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue","Cola de Boletín de Noticias" -"Edit Queue","Editar cola" -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers","Suscriptores de Boletín de Noticias" -Subscribers,Suscriptores -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template","Crear plantilla de boletín informativo" -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.","Gracias por su suscripción." -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.","Su suscripción ha sido confirmada." -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.","Ha cancelado su subscripción." -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.","Esta dirección de correo ya se asignó a otro usuario." -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,Cancelado -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview","Vista Previa del Mensaje del Boletín de Noticias" -"Add to Queue","Agregar a la cola" -"Are you sure that you want to strip all tags?","¿Está seguro de que desea eliminar todas las etiquetas?" -"Please enter new template name.","Please enter new template name." -" Copy",Copiar -"Sign Up for Our Newsletter:","Suscríbase a Nuestro Boletín de Noticias:" -"Enter your email address","Enter your email address" -Subscribe,Suscribirse -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,Suscriptor -"Queue Start Date","Fecha de Inicio de la Cola" -"Queue Subject","Asunto de Cola" -"Error Code","Código de error" -"Error Text","Texto de error" -"Queue Start","Inicio de Cola" -"Queue End","Final de Cola" -Processed,Procesado -Unsubscribe,"Cancelar suscripción" -"Customer First Name","Nombre del cliente" -"Customer Last Name","Apellido del cliente" -"Not Activated","No Activado" -Subscribed,Suscrito -Unsubscribed,"Suscripción cancelada" -Unconfirmed,"Sin confirmar" -"Newsletter Template","Newsletter Template" diff --git a/app/code/Magento/Newsletter/i18n/fr_FR.csv b/app/code/Magento/Newsletter/i18n/fr_FR.csv deleted file mode 100644 index 65134aa5e433b..0000000000000 --- a/app/code/Magento/Newsletter/i18n/fr_FR.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,Annuler -Back,Retour -ID,ID -Action,Action -Reset,Réinitialiser -Customer,Client -Guest,Invité -Email,Email -Delete,Supprimer -Store,Magasin -"Web Site","Web Site" -Status,Statut -"Store View","Vue du magasin" -Type,Type -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,Prévisualisation -Subject,Sujet -Sent,Envoyé -"Not Sent","Non envoyé" -Sending,Envoi -Paused,"En pause" -Newsletter,Newsletter -Updated,Updated -"Newsletter Subscription","Abonnement à la newsletter" -"Add New Template","Ajouter un nouveau modèle" -"Delete Template","Supprimer le modèle" -"Convert to Plain Text","Convertir en texte intégral" -"Preview Template","Voir un aperçu du modèle" -"Save Template","Enregistrer le modèle" -"Template Information","Information du modèle" -"Template Name","Nom du formulaire" -"Template Subject","Sujet du modèle" -"Template Content","Contenu du modèle" -"Template Styles","Styles de modèle" -"Edit Template","Modifier le modèle" -"New Template","Nouveau modèle" -Template,Template -"Are you sure that you want to delete this template?","Voulez-vous vraiment supprimer ce modèle ?" -"Sender Name","Nom de l'expéditeur" -"Sender Email","Expéditeur de l'e-mail" -Message,Message -Recipients,Destinataires -"Please enter a valid email address.","Veuillez entrer une adresse e-mail valide." -"Delete Selected Problems","Supprimer les problèmes sélectionnés." -"Unsubscribe Selected","Désabonnement sélectionné" -"Save Newsletter","Enregistrer la newsletter" -"Save and Resume","Enregistrer et reprendre" -"View Newsletter","Voir la newsletter" -"Edit Newsletter","Modifier la newsletter" -"Queue Information","Information sur la file d'attente" -"Queue Date Start","Queue Date Start" -"Subscribers From","Abonnés de" -"Newsletter Styles","Styles de newsletter" -Start,Début -Pause,Pause -"Do you really want to cancel the queue?","Voulez-vous vraiment effacer la fille d'attente ?" -Resume,Reprendre -"Newsletter Templates","Modèles de newsletter" -"Return HTML Version","Renvoyer la version HTML" -"Save As","Enregistrer sous" -"Edit Newsletter Template","Modifier le modèle de la newsletter" -"New Newsletter Template","Nouveau modèle de newsletter" -"No Templates Found","Aucun modèle trouvé" -Added,Added -Sender,Expéditeur -"Template Type","Type de modèle" -"Queue Newsletter...","File d'attente de la newsletter..." -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports","Rapport des problèmes de la newsletter" -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue","Fille d'attente de la newsletter" -"Edit Queue","Modifier la file d'attente" -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers","Abonnés à la newsletter" -Subscribers,Abonnés -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template","Créer un modèle de newsletter" -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.","Merci de vous être inscrit" -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.","Votre inscription a été confirmée." -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.","Votre demande de désinscription a été prise en compte." -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.","Cette adresse de courrier électronique a déjà été attribuée à un autre utilisateur." -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,Annulé -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview","Prévisualisation du message de la newsletter" -"Add to Queue","Ajouter à la file d'attente" -"Are you sure that you want to strip all tags?","Voulez-vous vraiment enlever tous les tags ?" -"Please enter new template name.","Please enter new template name." -" Copy",Copier -"Sign Up for Our Newsletter:","Inscrivez-vous à notre newsletter" -"Enter your email address","Enter your email address" -Subscribe,S'inscrire -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,Abonné -"Queue Start Date","Date de départ de la file d'attente" -"Queue Subject","Sujet de la file d'attente" -"Error Code","Erreur code" -"Error Text","Erreur texte" -"Queue Start","Départ de la file d'attente" -"Queue End","Fin de la file d'attente" -Processed,Traité -Unsubscribe,"Se désinscrire" -"Customer First Name","Prénom du client" -"Customer Last Name","Nom du client" -"Not Activated","Non activé" -Subscribed,Inscrit -Unsubscribed,Désinscrit -Unconfirmed,"Non confirmé" -"Newsletter Template","Newsletter Template" diff --git a/app/code/Magento/Newsletter/i18n/nl_NL.csv b/app/code/Magento/Newsletter/i18n/nl_NL.csv deleted file mode 100644 index 7999b25e12975..0000000000000 --- a/app/code/Magento/Newsletter/i18n/nl_NL.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,Annuleren -Back,Terug -ID,ID -Action,Actie -Reset,Opnieuw -Customer,Klant -Guest,Gast -Email,Email -Delete,Verwijderen -Store,Winkel -"Web Site","Web Site" -Status,Status -"Store View","Aanblik winkel" -Type,Type -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,Preview -Subject,Onderwerp -Sent,Verzonden -"Not Sent","Niet verstuurd" -Sending,Verzenden -Paused,Gepauzeerd -Newsletter,Nieuwsbrief -Updated,Updated -"Newsletter Subscription","Nieuwsbrief abonnement" -"Add New Template","Nieuw Sjabloon Toevoegen" -"Delete Template","Verwijder Template" -"Convert to Plain Text","Verander naar Gewone Tekst" -"Preview Template","Voorbeeld sjabloon" -"Save Template","Sjabloon Opslaan" -"Template Information","Sjabloon informatie" -"Template Name","Naam sjabloon" -"Template Subject","Sjabloon Onderwerp" -"Template Content","Inhoud sjabloon" -"Template Styles","Sjabloon Stijlen" -"Edit Template","Bewerk Sjabloon" -"New Template","Nieuw Sjabloon" -Template,Template -"Are you sure that you want to delete this template?","Weet je zeker dat je dit sjabloon wilt verwijderen?" -"Sender Name","Naam Afzender" -"Sender Email","Afzender Email" -Message,Boodschap -Recipients,Ontvangers -"Please enter a valid email address.","Voer een geldig email adres in." -"Delete Selected Problems","Verwijder Geselecteerde Problemen" -"Unsubscribe Selected","Uitschrijving geselecteerd" -"Save Newsletter","Nieuwsbrief Opslaan" -"Save and Resume","Opslaan en Doorgaan" -"View Newsletter","Bekijk nieuwsbrief" -"Edit Newsletter","Nieuwsbrief Aanpassen" -"Queue Information","Informatie Wachtrij" -"Queue Date Start","Queue Date Start" -"Subscribers From",Inschrijfformulier -"Newsletter Styles","Nieuwsbrief stijlen" -Start,Begin -Pause,Pauzeer -"Do you really want to cancel the queue?","Weet u zeker dat u de wachtrij wilt opheffen?" -Resume,"Ga door (meaning ' continue')" -"Newsletter Templates","Nieuwsbrief sjablonen" -"Return HTML Version","Laat Zien in HTML" -"Save As","Opslaan Als" -"Edit Newsletter Template","Nieuwsbrief Sjabloon Aanpassen" -"New Newsletter Template","Nieuwe Nieuwsbrief Sjabloon" -"No Templates Found","Geen sjablonen gevonden" -Added,Added -Sender,Verzender -"Template Type","Sjabloon Type" -"Queue Newsletter...","Nieuwsbrief Wachtrij..." -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports","Nieuwsbrief Probleem Overzichten" -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue","Nieuwsbrief Wachtrij" -"Edit Queue","Bewerk Rij" -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers","Nieuwsbrief abonnees" -Subscribers,Abonnees -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template","Maak een Nieuw Nieuwsbrief Sjabloon" -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.","Bedankt voor het inschrijven." -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.","Uw uitschrijving is bevestigd." -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.","U bent uitgeschreven." -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.","Dit emailadres wordt al door een andere gebruiker gebruikt." -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,Geannuleerd -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview","Voorbeeld Nieuwsbrief Bericht" -"Add to Queue","Toevoegen aan de wachtrij" -"Are you sure that you want to strip all tags?","Weet u zeker dat uw alle labels wilt verwijderen?" -"Please enter new template name.","Please enter new template name." -" Copy",Kopieer -"Sign Up for Our Newsletter:","Schrijf in voor Onze Nieuwsbrief" -"Enter your email address","Enter your email address" -Subscribe,Inschrijven -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,Abonnee -"Queue Start Date","Startdatum wachtrij" -"Queue Subject","Onderwerp Wachtrij" -"Error Code","Fout Code" -"Error Text","Fout Omschrijving" -"Queue Start","Begin Wachtrij" -"Queue End","Einde Wachtrij" -Processed,Verwerkt -Unsubscribe,Uitschrijven -"Customer First Name","Voornaam Klant" -"Customer Last Name","Achternaam Klant" -"Not Activated","Niet geactiveerd" -Subscribed,Uitschrijven -Unsubscribed,Uitgeschreven -Unconfirmed,Onbevestigd -"Newsletter Template","Newsletter Template" diff --git a/app/code/Magento/Newsletter/i18n/pt_BR.csv b/app/code/Magento/Newsletter/i18n/pt_BR.csv deleted file mode 100644 index cb2fecc6a5900..0000000000000 --- a/app/code/Magento/Newsletter/i18n/pt_BR.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,Cancelar -Back,Voltar -ID,Identidade -Action,Ação -Reset,Redefinir -Customer,Cliente -Guest,Convidado -Email,E-mail -Delete,Excluir -Store,Loja -"Web Site","Web Site" -Status,Status -"Store View","Visualização da loja" -Type,Tipo -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,Visualizar -Subject,Assunto -Sent,Enviado -"Not Sent","Não Enviado" -Sending,Enviando -Paused,Parado. -Newsletter,Newsletter -Updated,Updated -"Newsletter Subscription","Assinatura do boletim informativo" -"Add New Template","Adicionar novo modelo" -"Delete Template","Apagar Modelo" -"Convert to Plain Text","Converter para Texto Simples" -"Preview Template","Visualização do Modelo" -"Save Template","Salvar Modelo" -"Template Information","Informação do Modelo" -"Template Name","Nome do Modelo" -"Template Subject","Assunto do Modelo" -"Template Content","Conteúdo do Modelo" -"Template Styles","Estilos do Modelo" -"Edit Template","Editar modelo" -"New Template","Novo Modelo" -Template,Template -"Are you sure that you want to delete this template?","Tem certeza de que deseja apagar este modelo?" -"Sender Name","Nome do remetente" -"Sender Email","E-mail do remetente" -Message,Mensagem -Recipients,Destinatários -"Please enter a valid email address.","Entre com um e-mail válido." -"Delete Selected Problems","Excluir Problemas Selecionados" -"Unsubscribe Selected","Desinscrever Selecionado" -"Save Newsletter","Salvar Newsletter" -"Save and Resume","Salvar e Reiniciar" -"View Newsletter","Ver Newsletter" -"Edit Newsletter","Editar Boletim Informativo" -"Queue Information","Informações sobre a Fila" -"Queue Date Start","Queue Date Start" -"Subscribers From","Formulário para assinantes" -"Newsletter Styles","Estilos de Boletim Informativo" -Start,Iniciar -Pause,Parar. -"Do you really want to cancel the queue?","Você realmente quer cancelar a fila?" -Resume,Reiniciar -"Newsletter Templates","Modelos de Boletim Informativo" -"Return HTML Version","Retornar Versão HTML" -"Save As","Salvar Como" -"Edit Newsletter Template","Editar Modelo do Boletim Informativo" -"New Newsletter Template","Novo modelo de boletim informativo" -"No Templates Found","Nenhum Modelo Encontrado" -Added,Added -Sender,Remetente -"Template Type","Tipo de Modelo" -"Queue Newsletter...","Newsletter da Fila..." -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports","Reportar Problemas do Boletim Informativo." -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue","Fila do Boletim Informativo" -"Edit Queue","Editar fila" -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers","Assinantes do Boletim Informativo" -Subscribers,Assinantes -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template","Criar modelo de boletim informativo" -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.","Obrigado por sua assinatura." -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.","Sua inscrição foi confirmada." -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.","Sua inscrição foi cancelada." -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.","Este endereço de email já está atribuído a outro usuário." -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,Cancelado -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview","Visualização de mensagem do Boletim informativo" -"Add to Queue","Adicionar à Fila" -"Are you sure that you want to strip all tags?","Tem certeza de que deseja remover todas as tags?" -"Please enter new template name.","Please enter new template name." -" Copy",Copiar -"Sign Up for Our Newsletter:","Assinar Nossa Newsletter:" -"Enter your email address","Enter your email address" -Subscribe,Assinar -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,Assinante -"Queue Start Date","Início da fila de dados" -"Queue Subject","Assunto da Fila" -"Error Code","Erro do código" -"Error Text","Erro do texto" -"Queue Start","Começo da Fila" -"Queue End","Fim da Fila" -Processed,Processado -Unsubscribe,Desinscrever -"Customer First Name","Primeiro Nome do Cliente" -"Customer Last Name","Último Nome do Cliente" -"Not Activated","Não ativado." -Subscribed,Assinado -Unsubscribed,Desinscrito -Unconfirmed,"Não Confirmado" -"Newsletter Template","Newsletter Template" diff --git a/app/code/Magento/Newsletter/i18n/zh_Hans_CN.csv b/app/code/Magento/Newsletter/i18n/zh_Hans_CN.csv deleted file mode 100644 index 71be218444fbc..0000000000000 --- a/app/code/Magento/Newsletter/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,141 +0,0 @@ -Cancel,取消 -Back,返回 -ID,ID -Action,操作 -Reset,重置状态 -Customer,客户 -Guest,来宾 -Email,电子邮件 -Delete,删除 -Store,商店 -"Web Site","Web Site" -Status,状态 -"Store View",店铺视图 -Type,类型 -"A total of %1 record(s) were updated.","A total of %1 record(s) were updated." -"Total of %1 record(s) were deleted","Total of %1 record(s) were deleted" -Preview,预览 -Subject,主题 -Sent,已发送 -"Not Sent",未发送 -Sending,正在发送 -Paused,已暂停 -Newsletter,新闻邮件 -Updated,Updated -"Newsletter Subscription",新闻邮件订阅 -"Add New Template",添加新模板 -"Delete Template",删除模板 -"Convert to Plain Text",转换为纯文本 -"Preview Template",预览模板 -"Save Template",保存模板 -"Template Information",模板信息 -"Template Name",模板名称 -"Template Subject",模板主题 -"Template Content",模板内容 -"Template Styles",模板风格 -"Edit Template",编辑模板 -"New Template",新模板 -Template,Template -"Are you sure that you want to delete this template?",您是否确认要删除该模板? -"Sender Name",发送人姓名 -"Sender Email",发送人邮件 -Message,信息 -Recipients,收件人 -"Please enter a valid email address.",请输入有效的电子邮件地址。 -"Delete Selected Problems",删除已选择的问题 -"Unsubscribe Selected",退订所选者 -"Save Newsletter",保存新闻邮件 -"Save and Resume",保存并恢复 -"View Newsletter",查看新闻邮件 -"Edit Newsletter",编辑新闻通讯 -"Queue Information",队列信息 -"Queue Date Start","Queue Date Start" -"Subscribers From",订阅者来自 -"Newsletter Styles",新闻邮件风格 -Start,开始 -Pause,暂停 -"Do you really want to cancel the queue?",您确认要删除队列吗? -Resume,恢复 -"Newsletter Templates",新闻邮件模板 -"Return HTML Version",返回HTML版本 -"Save As",另存为 -"Edit Newsletter Template",编辑新闻通讯模版 -"New Newsletter Template",新新闻通讯模板 -"No Templates Found",模板未找到 -Added,Added -Sender,发送方 -"Template Type",模板类型 -"Queue Newsletter...",队列新闻邮件... -"Newsletter Problems Report","Newsletter Problems Report" -"Newsletter Problem Reports",新闻通讯问题报告 -"We unsubscribed the people you identified.","We unsubscribed the people you identified." -"The problems you identified have been deleted.","The problems you identified have been deleted." -"Newsletter Queue",新闻邮件队列 -"Edit Queue",编辑队列 -"Please correct the newsletter template and try again.","Please correct the newsletter template and try again." -"The newsletter queue has been saved.","The newsletter queue has been saved." -"Newsletter Subscribers",新闻邮件订阅者 -Subscribers,订阅者 -"Please select one or more subscribers.","Please select one or more subscribers." -"Create Newsletter Template",创建新闻通讯模板 -"The newsletter template has been saved.","The newsletter template has been saved." -"An error occurred while saving this template.","An error occurred while saving this template." -"The newsletter template has been deleted.","The newsletter template has been deleted." -"An error occurred while deleting this template.","An error occurred while deleting this template." -"Something went wrong while saving your subscription.","Something went wrong while saving your subscription." -"We saved the subscription.","We saved the subscription." -"We removed the subscription.","We removed the subscription." -"The confirmation request has been sent.","The confirmation request has been sent." -"Thank you for your subscription.",感谢您的订阅。 -"There was a problem with the subscription: %1","There was a problem with the subscription: %1" -"Something went wrong with the subscription.","Something went wrong with the subscription." -"Your subscription has been confirmed.",您的订阅已确认。 -"This is an invalid subscription confirmation code.","This is an invalid subscription confirmation code." -"This is an invalid subscription ID.","This is an invalid subscription ID." -"You have been unsubscribed.",您已经退订。 -"Something went wrong with the un-subscription.","Something went wrong with the un-subscription." -"This email address is already assigned to another user.",该电子邮件地址已分配给另一用户。 -"Sorry, but the administrator denied subscription for guests. ' 'Please register.","Sorry, but the administrator denied subscription for guests. ' 'Please register." -Cancelled,已取消 -"There are no subscribers selected.","There are no subscribers selected." -"You selected an invalid queue.","You selected an invalid queue." -"We cannot mark as received subscriber.","We cannot mark as received subscriber." -"Duplicate template code","Duplicate template code" -"Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '","Follow this link to unsubscribe ' '{{var subscriber.getUnsubscriptionLink()}}' '" -"Choose Store View:","Choose Store View:" -"Newsletter Message Preview",新闻通讯消息预览 -"Add to Queue",添加到队列 -"Are you sure that you want to strip all tags?",您确认要去除所有标签吗? -"Please enter new template name.","Please enter new template name." -" Copy",复制 -"Sign Up for Our Newsletter:",订阅我们的新闻邮件: -"Enter your email address","Enter your email address" -Subscribe,订阅 -CSV,CSV -"Excel XML","Excel XML" -"Subscription Options","Subscription Options" -"Allow Guest Subscription","Allow Guest Subscription" -"Need to Confirm","Need to Confirm" -"Confirmation Email Sender","Confirmation Email Sender" -"Confirmation Email Template","Confirmation Email Template" -"Success Email Sender","Success Email Sender" -"Success Email Template","Success Email Template" -"Unsubscription Email Sender","Unsubscription Email Sender" -"Unsubscription Email Template","Unsubscription Email Template" -"We found no problems.","We found no problems." -Subscriber,订阅者 -"Queue Start Date",队列数据开始 -"Queue Subject",队列主题 -"Error Code",错误代码 -"Error Text",错误文本 -"Queue Start",队列开始 -"Queue End",队列完成 -Processed,已处理 -Unsubscribe,退订 -"Customer First Name",客户名字 -"Customer Last Name",客户姓氏 -"Not Activated",未激活 -Subscribed,已订阅 -Unsubscribed,已退订 -Unconfirmed,未确认 -"Newsletter Template","Newsletter Template" diff --git a/app/code/Magento/OfflinePayments/i18n/de_DE.csv b/app/code/Magento/OfflinePayments/i18n/de_DE.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/de_DE.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflinePayments/i18n/es_ES.csv b/app/code/Magento/OfflinePayments/i18n/es_ES.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/es_ES.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflinePayments/i18n/fr_FR.csv b/app/code/Magento/OfflinePayments/i18n/fr_FR.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/fr_FR.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflinePayments/i18n/nl_NL.csv b/app/code/Magento/OfflinePayments/i18n/nl_NL.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/nl_NL.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflinePayments/i18n/pt_BR.csv b/app/code/Magento/OfflinePayments/i18n/pt_BR.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/pt_BR.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflinePayments/i18n/zh_Hans_CN.csv b/app/code/Magento/OfflinePayments/i18n/zh_Hans_CN.csv deleted file mode 100644 index 9066dca05a762..0000000000000 --- a/app/code/Magento/OfflinePayments/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,24 +0,0 @@ -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Make Check payable to:","Make Check payable to:" -"Send Check to:","Send Check to:" -"Purchase Order Number","Purchase Order Number" -"Make Check payable to: %1","Make Check payable to: %1" -"Purchase Order Number: %1","Purchase Order Number: %1" -"Make Check payable to:","Make Check payable to:" -"Make Check payable to","Make Check payable to" -"Send Check to","Send Check to" -"New Order Status","New Order Status" -"Payment from Applicable Countries","Payment from Applicable Countries" -"Payment from Specific Countries","Payment from Specific Countries" -"Minimum Order Total","Minimum Order Total" -"Maximum Order Total","Maximum Order Total" -"Check / Money Order","Check / Money Order" -"Make Check Payable to","Make Check Payable to" -"Purchase Order","Purchase Order" -"Bank Transfer Payment","Bank Transfer Payment" -Instructions,Instructions -"Cash On Delivery Payment","Cash On Delivery Payment" -"Zero Subtotal Checkout","Zero Subtotal Checkout" -"Automatically Invoice All Items","Automatically Invoice All Items" diff --git a/app/code/Magento/OfflineShipping/i18n/de_DE.csv b/app/code/Magento/OfflineShipping/i18n/de_DE.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/de_DE.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/OfflineShipping/i18n/es_ES.csv b/app/code/Magento/OfflineShipping/i18n/es_ES.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/es_ES.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/OfflineShipping/i18n/fr_FR.csv b/app/code/Magento/OfflineShipping/i18n/fr_FR.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/fr_FR.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/OfflineShipping/i18n/nl_NL.csv b/app/code/Magento/OfflineShipping/i18n/nl_NL.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/nl_NL.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/OfflineShipping/i18n/pt_BR.csv b/app/code/Magento/OfflineShipping/i18n/pt_BR.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/pt_BR.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/OfflineShipping/i18n/zh_Hans_CN.csv b/app/code/Magento/OfflineShipping/i18n/zh_Hans_CN.csv deleted file mode 100644 index 7e5f5065d38fa..0000000000000 --- a/app/code/Magento/OfflineShipping/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,49 +0,0 @@ -None,None -Price,Price -No,No -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -Type,Type -Export,Export -Import,Import -Country,Country -"Zip/Postal Code","Zip/Postal Code" -Condition,Condition -Region/State,Region/State -"Shipping Price","Shipping Price" -"Export CSV","Export CSV" -"Store Pickup","Store Pickup" -"Weight vs. Destination","Weight vs. Destination" -"Price vs. Destination","Price vs. Destination" -"# of Items vs. Destination","# of Items vs. Destination" -"Weight (and above)","Weight (and above)" -"Order Subtotal (and above)","Order Subtotal (and above)" -"# of Items (and above)","# of Items (and above)" -"Please correct Table Rate code type: %1.","Please correct Table Rate code type: %1." -"Please correct Table Rate code for type %1: %2.","Please correct Table Rate code for type %1: %2." -"Per Order","Per Order" -"Per Item","Per Item" -"Free Shipping","Free Shipping" -"For matching items only","For matching items only" -"For shipment with matching items","For shipment with matching items" -"Please correct Table Rates File Format.","Please correct Table Rates File Format." -"Something went wrong while importing table rates.","Something went wrong while importing table rates." -"We couldn't import this file because of these errors: %1","We couldn't import this file because of these errors: %1" -"Please correct Table Rates format in the Row #%1.","Please correct Table Rates format in the Row #%1." -"Please correct Country ""%1"" in the Row #%2.","Please correct Country ""%1"" in the Row #%2." -"Please correct Region/State ""%1"" in the Row #%2.","Please correct Region/State ""%1"" in the Row #%2." -"Please correct %1 ""%2"" in the Row #%3.","Please correct %1 ""%2"" in the Row #%3." -"Please correct Shipping Price ""%1"" in the Row #%2.","Please correct Shipping Price ""%1"" in the Row #%2." -"Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")","Duplicate Row #%1 (Country ""%2"", Region/State ""%3"", Zip ""%4"" and Value ""%5"")" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Fee","Handling Fee" -"Displayed Error Message","Displayed Error Message" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Flat Rate","Flat Rate" -"Method Name","Method Name" -"Table Rates","Table Rates" -"Include Virtual Products in Price Calculation","Include Virtual Products in Price Calculation" -"Minimum Order Amount","Minimum Order Amount" diff --git a/app/code/Magento/PageCache/i18n/de_DE.csv b/app/code/Magento/PageCache/i18n/de_DE.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/de_DE.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/PageCache/i18n/es_ES.csv b/app/code/Magento/PageCache/i18n/es_ES.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/es_ES.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/PageCache/i18n/fr_FR.csv b/app/code/Magento/PageCache/i18n/fr_FR.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/fr_FR.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/PageCache/i18n/nl_NL.csv b/app/code/Magento/PageCache/i18n/nl_NL.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/nl_NL.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/PageCache/i18n/pt_BR.csv b/app/code/Magento/PageCache/i18n/pt_BR.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/pt_BR.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/PageCache/i18n/zh_Hans_CN.csv b/app/code/Magento/PageCache/i18n/zh_Hans_CN.csv deleted file mode 100644 index 701e12300596b..0000000000000 --- a/app/code/Magento/PageCache/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,19 +0,0 @@ -"Export VCL","Export VCL" -"Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero.","Ttl value ""%1"" is not valid. Please use only numbers equal or greater than zero." -"Built-in Application (Not Recommended for Production Use)","Built-in Application (Not Recommended for Production Use)" -"Varnish Caching","Varnish Caching" -"Full Page Cache","Full Page Cache" -"Caching Application","Caching Application" -"Varnish Configuration","Varnish Configuration" -"Access list","Access list" -"IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved.","IPs access list separated with ',' that can purge Varnish configuration for config file generation. - If field is empty default value localhost will be saved." -"Backend host","Backend host" -"Specify backend host for config file generation. If field is empty default value localhost will be saved.","Specify backend host for config file generation. If field is empty default value localhost will be saved." -"Backend port","Backend port" -"Specify backend port for config file generation. If field is empty default value 8080 will be saved.","Specify backend port for config file generation. If field is empty default value 8080 will be saved." -"TTL for public content","TTL for public content" -"Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. ","Public content cache lifetime in seconds. If field is empty default value 86400 will be saved. " -"Page Cache","Page Cache" -"Full page caching.","Full page caching." diff --git a/app/code/Magento/Payment/i18n/de_DE.csv b/app/code/Magento/Payment/i18n/de_DE.csv deleted file mode 100644 index e0d1047b776e6..0000000000000 --- a/app/code/Magento/Payment/i18n/de_DE.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type",Kreditkartentyp -"Credit Card Number",Kreditkartennummer -"Expiration Date",Ablaufdatum -"Card Verification Number",Kartenprüfnummer -"--Please Select--","--Bitte auswählen--" -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?","Was ist das?" -Shipping,Shipping -Yes,Yes -N/A,"Nicht verfügbar" -Month,Monat -Year,Jahr -"Start Date",Startdatum -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number","Switch/Solo/Maestro-Issue Number" -"Switch/Solo/Maestro Start Date","Switch/Solo/Maestro-Start Date" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.","Leer-Aktion ist nicht verfügbar." -"The payment review action is unavailable.","Die Zahlungsreviewaktion ist nicht verfügbar." -"Credit card number mismatch with credit card type.","Kreditkarten-Nummer passt nicht zum Kreditkarten-Typ" -"Invalid Credit Card Number","Ungültige Kreditkarten-Nummer" -"Credit card type is not allowed for this payment method.","Der Kreditkarten-Typ ist für diese Zahlungsvariante nicht erlaubt." -"Please enter a valid credit card verification number.","Bitte geben Sie eine gültige Verifikationsnummer für Ihre Kreditkarte ein." -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","Nur Switch/Solo/Maestro" -"Issue Number",Ausgabenumer -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Payment/i18n/es_ES.csv b/app/code/Magento/Payment/i18n/es_ES.csv deleted file mode 100644 index a71a050dded6a..0000000000000 --- a/app/code/Magento/Payment/i18n/es_ES.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type","Tipo de tarjeta de crédito" -"Credit Card Number","Número de la tarjeta de crédito" -"Expiration Date","Fecha de Caducidad" -"Card Verification Number","Número de comprobación de la tarjeta" -"--Please Select--",--Seleccione-- -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?","¿Qué es esto?" -Shipping,Shipping -Yes,Yes -N/A,N/A -Month,Mes -Year,Año -"Start Date","Fecha de Inicio" -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number","Número de expedición de Switch/Solo/Maestro" -"Switch/Solo/Maestro Start Date","Fecha de Inicio de Switch/Solo/Maestro" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.","La anulación no se encuentra disponible." -"The payment review action is unavailable.","La acción de revisión de pago no está disponible." -"Credit card number mismatch with credit card type.","El número de la tarjeta de crédito no coincide con el típo de tarjeta." -"Invalid Credit Card Number","El número de tarjeta es inválido." -"Credit card type is not allowed for this payment method.","Este tipo de tarjeta de crédito no está permitido para este método de pago." -"Please enter a valid credit card verification number.","Por favor, introduzca el número de verificación de tarjeta válido." -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","Únicamente Switch/Solo/Maestro" -"Issue Number","Número de emisión" -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Payment/i18n/fr_FR.csv b/app/code/Magento/Payment/i18n/fr_FR.csv deleted file mode 100644 index 9b357d40e6ae0..0000000000000 --- a/app/code/Magento/Payment/i18n/fr_FR.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type","Type de carte de crédit" -"Credit Card Number","Numéro de carte de crédit" -"Expiration Date","Date d'expiration" -"Card Verification Number","Numéro de vérification de carte." -"--Please Select--","--Veuillez sélectionner--" -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?","Qu'est-ce que c'est ?" -Shipping,Shipping -Yes,Yes -N/A,"non applicable" -Month,Mois -Year,Année -"Start Date","Date de début" -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number","Numéro Switch/Solo/Maestro" -"Switch/Solo/Maestro Start Date","Date de début Switch/Solo/Maestro" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.","L'action annuler n'est pas disponible." -"The payment review action is unavailable.","La vérification du paiement n'est pas disponible." -"Credit card number mismatch with credit card type.","Le numéro de carte de crédit ne correspond pas au type de carte." -"Invalid Credit Card Number","Numéro de carte invalide" -"Credit card type is not allowed for this payment method.","Ce type de carte de crédit n'est pas autorisé pour cette méthode de paiement." -"Please enter a valid credit card verification number.","Veuillez entrer un numéro de vérification valide." -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","Switch/Solo/Maestro seulement" -"Issue Number","Numéro du problème." -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Payment/i18n/nl_NL.csv b/app/code/Magento/Payment/i18n/nl_NL.csv deleted file mode 100644 index 1875b49cfccec..0000000000000 --- a/app/code/Magento/Payment/i18n/nl_NL.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type","Type credit card" -"Credit Card Number","Nummer creditcard" -"Expiration Date",Houdbaarheidsdatum -"Card Verification Number",Kaartverificatienummer -"--Please Select--","--Selecteer alstublieft--" -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?","Wat is dit?" -Shipping,Shipping -Yes,Yes -N/A,Nvt -Month,Maand -Year,Jaar -"Start Date",Begindatum -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number","Switch/Solo/Maestro verstrekkingsnummer" -"Switch/Solo/Maestro Start Date","Switch/Solo/Maestro startdatum" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.","Vernietigactie is niet beschikbaar." -"The payment review action is unavailable.","De optie om de betaling te herzien is niet beschikbaar." -"Credit card number mismatch with credit card type.","Kredietkaartnummer komt niet overeen met type kredietkaart." -"Invalid Credit Card Number","Ongeldig Kredietkaartnummer" -"Credit card type is not allowed for this payment method.","Type kredietkaart is niet toegestaan voor deze betalingsmethode." -"Please enter a valid credit card verification number.","Voer a.u.b. een geldig creditcard verificatienummer in." -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","Alleen Switch/Solo/Maestro" -"Issue Number","Uitgave Nummer" -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Payment/i18n/pt_BR.csv b/app/code/Magento/Payment/i18n/pt_BR.csv deleted file mode 100644 index bdf92c19deebd..0000000000000 --- a/app/code/Magento/Payment/i18n/pt_BR.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type","Tipo de Cartão de Crédito" -"Credit Card Number","Número do Cartão de Crédito" -"Expiration Date","Data de Validade" -"Card Verification Number","Número de Verificação do Cartão" -"--Please Select--","--Por Favor, Escolha--" -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?","O que é isso?" -Shipping,Shipping -Yes,Yes -N/A,Indisponível -Month,Mês -Year,Ano -"Start Date","Data de início" -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number","Número de Emissão Switch/Solo/Maestro" -"Switch/Solo/Maestro Start Date","Data Inicial do Switch/Solo/Maestro" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.","Ação de cancelamento não está disponível." -"The payment review action is unavailable.","A ação de revisão de pagamento não está disponível." -"Credit card number mismatch with credit card type.","O número de cartão de crédito não corresponde ao tipo de cartão de crédito." -"Invalid Credit Card Number","Número de cartão de crédito inválido" -"Credit card type is not allowed for this payment method.","O tipo de cartão de crédito não é permitido para esta forma de pagamento." -"Please enter a valid credit card verification number.","Por favor insira um número de verificação de cartão de crédito válido." -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","Somente Swith/Solo/Maestro" -"Issue Number","Número de Emissão" -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Payment/i18n/zh_Hans_CN.csv b/app/code/Magento/Payment/i18n/zh_Hans_CN.csv deleted file mode 100644 index 39e485577e9aa..0000000000000 --- a/app/code/Magento/Payment/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,41 +0,0 @@ -No,No -Discount,Discount -"Credit Card Type",信用卡类型 -"Credit Card Number",信用卡号码 -"Expiration Date",过期日期 -"Card Verification Number",卡片验证号码 -"--Please Select--","-- 请选择 --" -"Card Verification Number Visual Reference","Card Verification Number Visual Reference" -"What is this?",这是什么? -Shipping,Shipping -Yes,Yes -N/A,N/A -Month,月 -Year,年 -"Start Date",开始日期 -"We cannot retrieve the payment method model object.","We cannot retrieve the payment method model object." -"We cannot retrieve the payment info model object.","We cannot retrieve the payment info model object." -"Switch/Solo/Maestro Issue Number",Switch/Solo/Maestro卡号 -"Switch/Solo/Maestro Start Date",Switch/Solo/Maestro开始日期 -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -"The payment method you requested is not available.","The payment method you requested is not available." -"The payment disallows storing objects.","The payment disallows storing objects." -"We cannot retrieve the payment method code.","We cannot retrieve the payment method code." -"We cannot retrieve the payment information object instance.","We cannot retrieve the payment information object instance." -"You can't use the payment type you selected to make payments to the billing country.","You can't use the payment type you selected to make payments to the billing country." -"The order action is not available.","The order action is not available." -"The authorize action is not available.","The authorize action is not available." -"The capture action is not available.","The capture action is not available." -"The refund action is not available.","The refund action is not available." -"Void action is not available.",空操作不可用。 -"The payment review action is unavailable.",支付审查操作不可用。 -"Credit card number mismatch with credit card type.",信用卡号与信用卡类型不匹配。 -"Invalid Credit Card Number",信用卡号无效 -"Credit card type is not allowed for this payment method.",信用卡类型无法用于此支付方法。 -"Please enter a valid credit card verification number.",请输入有效的信用卡验证码。 -"We found an incorrect credit card expiration date.","We found an incorrect credit card expiration date." -"Switch/Solo/Maestro Only","仅限 Switch/Solo/Maestro" -"Issue Number",问题编号 -" is not available. You still can process offline actions."," is not available. You still can process offline actions." -"Payment Methods","Payment Methods" diff --git a/app/code/Magento/Paypal/i18n/de_DE.csv b/app/code/Magento/Paypal/i18n/de_DE.csv deleted file mode 100644 index 9688d3237dbcb..0000000000000 --- a/app/code/Magento/Paypal/i18n/de_DE.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,Kundenspezifisch -Close,Close -Cancel,Cancel -Back,Back -Price,Preis -ID,ID -Configure,Configure -No,Nein -Qty,Qty -Subtotal,Zwischensumme -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,Ja -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,Bestellung -View,Ansicht -Active,Active -Position,Position -Dynamic,Dynamisch -N/A,"Nicht zutreffend" -Canceled,Canceled -"General Information","General Information" -Static,Statisch -"Advanced Settings","Advanced Settings" -"Learn More","Erfahren Sie mehr" -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability","Haftbarkeit des Händlers" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method",Lieferungsart -"Please agree to all the terms and conditions before placing the order.","Bitte stimmen Sie den Allgemeinen Geschäftsbedingungen zu, bevor Sie die Bestellung aufgeben." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address",Lieferadresse -"Payment Method","Payment Method" -"Place Order","Erteilen Sie den Auftrag" -"Sorry, no quotes are available for this order at this time.","Es tut uns Leid, es gibt derzeit keine Preisangabe für diese Bestellung." -Sales,Verkäufe -Created,Created -Display,Display -User,User -Daily,Täglich -Date,Date -"Order Total","Order Total" -Never,Niemals -Updated,Updated -Reports,Berichte -"Order Status","Order Status" -"View Order","View Order" -Event,Vorgang -"Please Select","Please Select" -"Submitting order information...","Bestellinformationen werden gesendet..." -Authorization,Bewilligung -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements",Rechnungsvereinbarungen -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View","Rechnungsvereinbarung Ansicht" -"View Transaction Details","Überweisungsdetails zeigen" -"Reference Information",Referenz-Information -"Transaction Information",Überweisungs-Informationen -"PayPal Fee Information","PayPal Gebühren-Information" -"PayPal Settlement Reports","PayPal Abrechnungsberichte" -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates","Aktualisierungen herunterladen" -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,Hilfe -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo","Demo anzeigen" -"See terms","See terms" -"You will be redirected to the PayPal website.","Sie werden zur PayPal Webseite weitergeleitet." -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.","Sie werden zur PayPal-Website weitergeleitet, wenn Sie eine Bestellung aufgeben." -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.","Sie werden in wenigen Sekunden auf die PayPal Website weitergeleitet." -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction","Transaktion anzeigen" -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.","Express-Checkout und Bestellung wurden storniert." -"Express Checkout has been canceled.","Express-Checkout storniert." -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.","PayPal Express-Checkout Token existiert nicht." -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.","Die erforderlichen Pflichtfelder für die PayPal Antwort wurden nicht ausgefüllt." -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:","Abrechnungsvereinbarung kann nicht gespeichert werden:" -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)","Wir bevorzugen PayPal (150 X 60)" -"We prefer PayPal (150 X 40)","Wir bevorzugen PayPal (150 X 40)" -"Now accepting PayPal (150 X 60)","Jetzt wird PayPal (150 X 60) angenommen" -"Now accepting PayPal (150 X 40)","Wir nehmen jetzt PayPal an (150 X 40)" -"Payments by PayPal (150 X 60)","Zahlungen durch PayPal (150 X 60)" -"Payments by PayPal (150 X 40)","Zahlungen durch PayPal (150 X 40)" -"Shop now using (150 X 60)","Kaufen Sie jetzt ein indem sie (150 X 60) nutzen" -"Shop now using (150 X 40)","Kaufen Sie jetzt mit (150 X 40)" -Shortcut,Shortcut -"Acceptance Mark Image","Akzeptanz Kennzeichnungs-Logo" -Sale,Verkauf -"For Virtual Quotes Only","Nur für virtuelle Angebote" -Auto,Automatisch -"Ask Customer","Beim Kunden anfragen" -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature","API Signatur" -"API Certificate",API-Zertifikat -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.","Die maximal mögliche Anzahl an Kinder-Autorisationen ist erreicht." -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.","Zahler ist nicht identifiziert" -"Last Transaction ID","Letzte Überweisungs-Kennnummer" -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.","Die Zahlung wurde autorisiert aber noch nicht ausgeführt." -"The payment eCheck is not yet cleared.","Zahlung per eCheck ist noch nicht vereinbart." -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.","Zahlung steht noch aus und wird von PayPal auf Risiken geprüft." -"The payment is pending because it was made to an email address that is not yet registered or confirmed.","Die Zahlung steht noch aus, da sie an eine Email-Adresse versandt wurde, die weder registriert noch bestätigt ist." -"The merchant account is not yet verified.","Das Händlerkonto wurde noch nicht verifiziert." -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.","Die Zahlung wurde mit Kreditkarte getätigt. Damit der Händler Zahlungen erhalten kann, muss er sein Konto auf Business- oder Premiumstatus upgraden." -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.","Storno einer Änderung" -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.","Rückerstattung für eine Rückbuchung" -"Settlement of a chargeback.","Zahlung eine Rücklastschrift" -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.","Unbekannter Grund. Bitte kontaktieren Sie den PayPal Kundenservice." -"Payer ID","Zahler Kennnummer" -"Payer Email","Zahler Email" -"Payer Status","Zahler Status" -"Payer Address ID","Zahler Adressen Kennummer" -"Payer Address Status","Adressenstatus des Zahlers" -"Merchant Protection Eligibility","Händlerschutz Berechtigung" -"Triggered Fraud Filters","Ausgelöste Betrugsfilter" -"Last Correlation ID","Letzte Korrelations Identifizierung" -"Address Verification System Response","Adressen Prüfsystem Rückmeldung" -"CVV2 Check Result by PayPal","CVV2 Prüfergebnis durch PayPal" -"Buyer's Tax ID","Steuernummer des Käufers" -"Buyer's Tax ID Type","Art der Steuernummer des Käufers" -Chargeback,Rücklastschrift -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)","Nur übereinstimmende Adresse (keine Postleitzahl)" -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched","Keine Details stimmen überein" -"No Details matched. International","Keines der Details stimmt überein. International" -"Exact Match. Address and nine-digit ZIP code","Genaue Übereinstimmung. Adresse und neunstellige Postleitzahl" -"Exact Match. Address and Postal Code. International","Genaue Übereinstimmung. Adresse und Postleitzahl. International" -"Exact Match. Address and Postal Code. UK-specific","Genaue Übereinstimmung. Adresse und Postleitzahl. GB-spezifisch" -"N/A. Not allowed for MOTO (Internet/Phone) transactions","Nicht zutreffend. MOTO (Internet/Telefon) Transaktionen nicht erlaubt" -"N/A. Global Unavailable","N/A. Weltweit nicht verfügbar" -"N/A. International Unavailable","N/A. International nicht verfügbar" -"Matched five-digit ZIP only (no Address)","Nur die fünfstellige Postleitzahl stimmt überein (keine Adresse)" -"Matched Postal Code only (no Address)","Nur die Postleitzahl stimmt überein (keine Adresse)" -"N/A. Retry","N/A. wiederholen" -"N/A. Service not Supported","Nicht zutreffend. Service nicht angeboten" -"N/A. Unavailable","N/A. Nicht verfügbar" -"Matched whole nine-didgit ZIP (no Address)","Die ganze neunstellige Postleitzahl stimmt überein (keine Adresse)" -"Yes. Matched Address and five-didgit ZIP","Ja. Adresse und fünfstellige Postleitzahl stimmen überein." -"All the address information matched","Alle Adressdaten stimmen überein" -"None of the address information matched","Keine der Adress-Informationen stimmt überein" -"Part of the address information matched","Die Adressen-Information stimmt teilweise überein" -"N/A. The merchant did not provide AVS information","Nicht zutreffend. Der Händler hat keine AVS Informationen angegeben" -"N/A. Address not checked, or acquirer had no response. Service not available","N/A. Adresse nicht geprüft oder der Käufer bekam keine Antwort. Service nicht verfügbar." -"Matched (CVV2CSC)","Übereinstimmung (CVV2CSC)" -"No match","Keine Übereinstimmung" -"N/A. Not processed","N/A. Nicht verarbeitet" -"N/A. Service not supported","Nicht verfügbar. Service wird nicht unterstützt." -"N/A. Service not available","N/A. Service ist nicht verfügbar" -"N/A. No response","N/A. Keine Antwort" -"Matched (CVV2)","abgeglichen (CVV2)" -"N/A. The merchant has not implemented CVV2 code handling","N/A. Der Händler benutzt keine CVV2 Code Verarbeitung" -"N/A. Merchant has indicated that CVV2 is not present on card","N/A. Händler hat angezeigt, dasssich CVV2 nicht auf der Karte befindet." -"Authenticated, Good Result","Authentifiziert, richtiges Ergebnis" -"Authenticated, Bad Result","Authentifiziert, falsches Ergebnis" -"Attempted Authentication, Good Result","Versuchte Authentifizierung, richtiges Ergebnis" -"Attempted Authentication, Bad Result","Versuchte Authentifizierung, falsches Ergebnis" -"No Liability Shift","Keine Haftung Wechseln" -"Issuer Liability","Haftung des Ausstellers" -CNPJ,CNPJ -CPF,CPF -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.","Zahlungen beinhalten nicht das Speichern der Objekte." -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.","Dieser Vorgang erfordert einen bestehenden Transaktionsgegenstand." -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date",Berichtsdatum -"Merchant Account","Händler Konto" -"Transaction ID",TransaktionsID -"Invoice ID",Rechnungsnummer -"PayPal Reference ID","PayPal Referenz-Kennnummer" -"PayPal Reference ID Type","PayPal Referenz.Kennnummerntyp" -"Event Code",Vorgang-Schlüssel -"Finish Date","Finish Date" -"Debit or Credit","Soll oder Haben" -"Gross Amount",Bruttobetrag -"Fee Debit or Credit","Gebühr Soll oder Haben" -"Fee Amount","Gebühr Betrag" -"Order ID",Bestellungsidentifizierung -"Subscription ID",Bestellnummer -"Preapproved Payment ID","Vorabgenehmigte Zahlung Kennnummer" -Credit,Guthaben -Debit,Soll -"General: received payment of a type not belonging to the other T00xx categories","Allemein: Zahlung eines Typs erhalten, der nicht zu den anderen T00xx Kategorien gehört" -"Mass Pay Payment","""Mass Pay"" Zahlungen" -"Subscription Payment, either payment sent or payment received","Abonnementzahlung, entweder geschickte Zahlung oder Zahlung erhalten" -"Preapproved Payment (BillUser API), either sent or received","Vorausgenehmigte Bezahlung (BillUser API), entweder geschickt oder erhalten" -"eBay Auction Payment","eBay Auktion Zahlung" -"Direct Payment API","Direktzahlung API" -"Express Checkout APIs","Express Kaufabwicklung APIs" -"Website Payments Standard Payment","Webseite Zahlungen Standard Zahlung" -"Postage Payment to either USPS or UPS","Zahlung der Versandgebühr entweder an USPS oder UPS" -"Gift Certificate Payment: purchase of Gift Certificate","Zahlung mit Geschenkgutschein: Kauf von Geschenkgutscheinen" -"Auction Payment other than through eBay","Eine andere Auktionszahlung als über eBay" -"Mobile Payment (made via a mobile phone)","Handy Zahlung (Zahlung erfolgt per Handy)" -"Virtual Terminal Payment","Virtuelles Zahlungsterminal" -"General: non-payment fee of a type not belonging to the other T01xx categories","Gebühr für Zahlungsverweigerung eines Typs, der nicht zu den anderen T01xx Kategorien gehört" -"Fee: Web Site Payments Pro Account Monthly","Gebühr: monatliche Zahlungen der Webseite für Konto" -"Fee: Foreign ACH Withdrawal","Gebühr Storno" -"Fee: WorldLink Check Withdrawal","Gebühr: WorldLink Scheckauszahlung" -"Fee: Mass Pay Request","Gebühr: Anforderung Sammelzahlung" -"General Currency Conversion","Allgemein Währungsumrechnung" -"User-initiated Currency Conversion","Vom Benutzer ausgelöste Währungsumrechnung" -"Currency Conversion required to cover negative balance","Währungsumrechnung erforderlich, um negatives Saldo zu decken" -"General Funding of PayPal Account ","Allgemein Finanzierung des PayPal Kontos" -"PayPal Balance Manager function of PayPal account","PayPal Guthaben-Managerfunktion des PayPal Kontos" -"ACH Funding for Funds Recovery from Account Balance","ACH Finanzierung der Zurückgewinnung des Kontostands" -"EFT Funding (German banking)","EFT Finanzierung (Deutsches Banksystem)" -"General Withdrawal from PayPal Account","Allgemein Abhebung vom PayPal Konto" -AutoSweep,Selbstdurchlauf -"General: Use of PayPal account for purchasing as well as receiving payments","Allgemein: Verwendung des PayPal Kontos für Einkauf und den Empfang von Zahlungen" -"Virtual PayPal Debit Card Transaction","Virtuelle PayPal Überweisung mit Debitkarte" -"PayPal Debit Card Withdrawal from ATM","PayPal Debitkarte Abhebung von ATM" -"Hidden Virtual PayPal Debit Card Transaction","Verborgene virtuelle PayPal Debitkarten Überweisung" -"PayPal Debit Card Cash Advance","PayPal Debitkarte Barvorschuss" -"General: Withdrawal from PayPal Account","Allgemein: Abhebung vom PayPal Konto" -"General (Purchase with a credit card)","Allgemein (Kauf mit einer Kreditkarte)" -"Negative Balance","Negatives Guthaben" -"General: bonus of a type not belonging to the other T08xx categories","Allgemein: Bonus eines Typs der nicht zu den anderen T08xx Kategorien gehört" -"Debit Card Cash Back","Debitkarte Cash Back" -"Merchant Referral Bonus","Händler Empfehlungsbonus" -"Balance Manager Account Bonus","Guthaben-Manager Kontobonus" -"PayPal Buyer Warranty Bonus","PayPal Käufer Garantiebonus" -"PayPal Protection Bonus","PayPal Schutz Bonus" -"Bonus for first ACH Use","Bonus für erste ACH-Benutzung" -"General Redemption","Allgemein Rückzahlung" -"Gift Certificate Redemption","Einlösung von Geschenkgutscheinen" -"Points Incentive Redemption","Einlösung von Loyalitätspunkten" -"Coupon Redemption",Coupon-Einlösung -"Reward Voucher Redemption","Belohnungsgutschein Einlösung" -"General. Product no longer supported","Allgemein. Produkt wird nicht mehr untersützt" -"General: reversal of a type not belonging to the other T11xx categories","Allgemein: Storno eines Typs der nicht zu den anderen T11xx Kategorien gehört" -"ACH Withdrawal","ACH Abhebung" -"Debit Card Transaction","Debitkarte Überweisung" -"Reversal of Points Usage","Points Rückbelastung" -"ACH Deposit (Reversal)","ACH Einlage (Stornierung)" -"Reversal of General Account Hold","Storno des Hauptkontos durchführen" -"Account-to-Account Payment, initiated by PayPal","Konto-zu-Konto Zahlung, von PayPal eingeleitet" -"Payment Refund initiated by merchant","Rückerstattung der Zahlung durch den Händler initiiert" -"Fee Reversal","Gebühr: ACH Auslands-Abhebung[caution! - this translation is for job#55147 and vice versa. sorry]" -"Hold for Dispute Investigation","Zurückgehalten wegen Disput Überprüfung" -"Reversal of hold for Dispute Investigation","Stornierung einer Reservierung des Kontos wegen Disput Untersuchung" -"General: adjustment of a type not belonging to the other T12xx categories","Allgemein: Einstellung eines Typs der nicht zu den anderen T12xx Kategorien gehört" -Reversal,Rückbelastung -Charge-off,abbuchen -Incentive,Anreiz -"Reimbursement of Chargeback","Rückerstattung einer Rücklastschrift" -"General (Authorization)","Allgemein (Berechtigung)" -Reauthorization,"Erneute Autorisierung" -Void,Leer -"General (Dividend)","Allgemein (Dividende)" -"General: temporary hold of a type not belonging to the other T15xx categories","Allgemein: Vorübergehende Einbehaltung eines Typs, der nicht zu den anderen T15xx Kategorien gehört" -"Open Authorization","Autorisierung öffnen" -"ACH Deposit (Hold for Dispute or Other Investigation)","ACH Einlage (Für Dispute oder andere Untersuchungen zurückgehalten)" -"Available Balance","Verfügbares Guthaben" -Funding,Finanzierung -"General: Withdrawal to Non-Bank Entity","Allgemein: Abhebung von Nichtbank-Finanzintermediären" -"WorldLink Withdrawal","WorldLink Abhebung" -"Buyer Credit Payment","Käuferkredit Zahlung" -"General Adjustment without businessrelated event","Allgemeine Einstellung ohne geschäftsbezogenen Vorgang" -"General (Funds Transfer from PayPal Account to Another)","Allgemein (Geldtransfer von einem PayPal Konto auf ein anderes)" -"Settlement Consolidation","Zahlung Zusammenführung" -"General: event not yet categorized","Allgemein: noch nicht klassifiziert" -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days","alle 3 Tage" -"Every 7 days","alle 7 Tage" -"Every 10 days","alle 10 Tage" -"Every 14 days","alle 14 Tage" -"Every 30 days","alle 30 Tage" -"Every 40 days","alle 40 Tage" -"No Logo","Kein Logo" -"Pending PayPal","PayPal ausstehend" -"Billing Agreement",Rechnungsvereinbarung -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- Bitte wählen Sie Rechnungsvereinbarung --" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements","Zurück zu Rechnungsvereinbarungen" -"There are no billing agreements yet.","Es gibt noch keine Rechnungsvereinbahrungen." -"New Billing Agreement","Neue Abrechnungsvereinbarung" -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order","Auftrag überprüfen" -"Please select a shipping method...","Bitte wählen Sie eine Versandart aus..." -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart","Artikel in Ihrem Warenkorb" -"Edit Shopping Cart","Warenkorb bearbeiten" -"Please update order data to get shipping methods and rates","Aktualisieren Sie bitte die Auftragsdaten für Versandmethoden und -tarife" -"Checkout with PayPal","Mit PayPal abmelden" -"Please do not refresh the page until you complete payment.","Bitte die Seite nicht aktualisieren, bis Sie die Zahlung abgeschlossen haben." -"You will be required to enter your payment details after you place an order.","Sie werden aufgefordert, Ihre Zahlungsdaten eingeben, nachdem Sie eine Bestellung aufgegeben haben." -"Additional Options","Zusätzliche Optionen" -"Acceptance Mark","Akzeptanz Kennzeichnung" -"What is PayPal?","Was ist PayPal?" -"Sign a billing agreement to streamline further purchases with PayPal.","Unterzeichnen sie eine Rechnungsvereinbarung, um zukünftige Käufe mit PayPal zu rationalisieren." -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Paypal/i18n/es_ES.csv b/app/code/Magento/Paypal/i18n/es_ES.csv deleted file mode 100644 index a6c03fb513331..0000000000000 --- a/app/code/Magento/Paypal/i18n/es_ES.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,Personalizado -Close,Close -Cancel,Cancel -Back,Back -Price,Precio -ID,ID -Configure,Configure -No,No -Qty,Qty -Subtotal,Subtotal -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,Sí -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,Encargar -View,Ver -Active,Active -Position,Position -Dynamic,Dinámico -N/A,N/A -Canceled,Canceled -"General Information","General Information" -Static,Estático -"Advanced Settings","Advanced Settings" -"Learn More","Saber más" -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability","Responsabilidad del comerciante" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Método de envío" -"Please agree to all the terms and conditions before placing the order.","Por favor, acepta todos los términos y condiciones antes de realizar el pedido." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address","Dirección de Envío" -"Payment Method","Payment Method" -"Place Order","Hacer pedido" -"Sorry, no quotes are available for this order at this time.","Lamentamos informarle que en este momento no hay cotizaciones disponibles para este pedido." -Sales,Ventas -Created,Created -Display,Display -User,User -Daily,Diario -Date,Date -"Order Total","Order Total" -Never,Nunca -Updated,Updated -Reports,Informes -"Order Status","Order Status" -"View Order","View Order" -Event,Evento -"Please Select","Please Select" -"Submitting order information...","Enviando la información del pedido..." -Authorization,Autorización -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements","Contratos de facturación" -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View","Ver contrato de facturación" -"View Transaction Details","Ver Detalles de la Transacción" -"Reference Information","Información de Referencia" -"Transaction Information","Información de Transacción" -"PayPal Fee Information","Información de tarifa de PayPal" -"PayPal Settlement Reports","Informes de liquidación de PayPal" -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates","Nuevos resultados obtenidos" -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,Ayuda -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo","Vea la demostración" -"See terms","See terms" -"You will be redirected to the PayPal website.","Se le redirigirá al sitio web de PayPal." -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.","Cuando realice el pedido se le devolverá a la página PayPal." -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.","Volverá a la página web de Paypal en unos segundos." -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction","Ver transacción" -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.","El Pedido y la Salida Express se han cancelado." -"Express Checkout has been canceled.","La Salida Express se ha cancelado." -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.","El símbolo para la Salida Express con Paypal no existe." -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.","La respuesta de PayPal no tiene campos obligatorios." -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:","No se puede guardar el Contrato de Facturación:" -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)","Preferimos PayPal (150 X 60)" -"We prefer PayPal (150 X 40)","Preferimos PayPal (150 X 40)" -"Now accepting PayPal (150 X 60)","Ahora se acepta Paypal (150 X 60)" -"Now accepting PayPal (150 X 40)","Se acepta PayPal (150 X 40)" -"Payments by PayPal (150 X 60)","Pagos por PayPal (150 X 60)" -"Payments by PayPal (150 X 40)","Pagos por PayPal (150 X 40)" -"Shop now using (150 X 60)","Compre ahora utilizando (150 X 60)" -"Shop now using (150 X 40)","Compre ahora usando (150 X 40)" -Shortcut,"Acceso directo" -"Acceptance Mark Image","Imagen de Señal de Aceptación" -Sale,Venta -"For Virtual Quotes Only","Solo para presupuestos en línea" -Auto,Auto -"Ask Customer","Preguntar al Cliente" -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature","Firma API" -"API Certificate","Certificdo API" -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.","Se ha alcanzado el número máximo de autorizaciones infantiles." -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.","El pagador no se ha identificado." -"Last Transaction ID","Última Identificación de Transacción" -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.","El pago se ha autorizado, pero no se ha realizado." -"The payment eCheck is not yet cleared.","Todavía no se ha limpiado el eCheck de pago." -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.","El pago está pendiente, PayPal lo está revisando para asegurarse." -"The payment is pending because it was made to an email address that is not yet registered or confirmed.","El pago está pendiente porque se ha realizado a una dirección de mail que todavía no se ha registrado o confirmado." -"The merchant account is not yet verified.","Todavía no se ha verificado la cuenta de vendedor." -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.","El pago se ha realizado mediante tarjeta de crédito. Para recibir los fondos el vendedor tiene que actualizar la cuenta a estado Business o Premier." -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.","Revocación de un ajuste." -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.","Devolución o reembolso." -"Settlement of a chargeback.","Liquidación de una transacción devuelta." -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.","Razones desconocidas. Por favor, contacte el servicio de atención al cliente de PayPal." -"Payer ID","Id. del pagador" -"Payer Email","Correo electrónico del pagador" -"Payer Status","Situación del comprador" -"Payer Address ID","Id. de dirección del pagador" -"Payer Address Status","Estado de la dirección del comprador" -"Merchant Protection Eligibility","Requisitos de protección de mercado" -"Triggered Fraud Filters","Filtros de Fraude Desencadenados" -"Last Correlation ID","Última Identificación de Correlación" -"Address Verification System Response","Respuesta del Sistema de Verificación de Dirección" -"CVV2 Check Result by PayPal","Resultado de Comprobación CVV2 por PayPal" -"Buyer's Tax ID","Número de identificación social del contribuyente del comprador\es" -"Buyer's Tax ID Type","Tipo de número de identificación social del contribuyente del comprador\es" -Chargeback,Facturar -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)","Sólo dirección correspondiente (no CP)" -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched","No ha habido coincidencias" -"No Details matched. International","Los detalles no coinciden. Internacional" -"Exact Match. Address and nine-digit ZIP code","Coincidencia exacta. Dirección y código ZIP de 9 dígitos" -"Exact Match. Address and Postal Code. International","Coincidencia exacta. Dirección y Código Postal. Internacional" -"Exact Match. Address and Postal Code. UK-specific","Coincidencia exacta. Dirección y Código Postal. Específico para Reino Unido" -"N/A. Not allowed for MOTO (Internet/Phone) transactions","N/A. No disponible para transacciones MOTO (Internet/móvil)" -"N/A. Global Unavailable","No disponible. Global no disponible." -"N/A. International Unavailable","No disponible. Internacional no disponible." -"Matched five-digit ZIP only (no Address)","Sólo Encaja el Código Postal de cinco dígitos (no la Dirección)" -"Matched Postal Code only (no Address)","Sólo Encaja el Código Postal (no la Dirección)" -"N/A. Retry","No disponible. Vuelva a intentar." -"N/A. Service not Supported","N/A. Servicio no disponible." -"N/A. Unavailable","No disponible. No disponible." -"Matched whole nine-didgit ZIP (no Address)","Sólo Encaja el Código Postal de nueve dígitos (no la Dirección)" -"Yes. Matched Address and five-didgit ZIP","Sí. La Dirección y el Código Postal de cinco dígitos coinciden." -"All the address information matched","Coincide toda la información de dirección" -"None of the address information matched","Ninguna información de la dirección coincide" -"Part of the address information matched","Parte de la información de la dirección coincidió" -"N/A. The merchant did not provide AVS information","N/A. El comerciante no ha proporcionado la información AVS" -"N/A. Address not checked, or acquirer had no response. Service not available","No disponible. No se ha comprobado la dirección o el usuario no obtuvo respuesta. Servicio no disponible." -"Matched (CVV2CSC)","CVV2CSC coincidentes." -"No match","No ha habido coincidencias" -"N/A. Not processed","No disponible. No procesado." -"N/A. Service not supported","N/A. Servicio no operativo" -"N/A. Service not available","No disponible. Servicio no disponible." -"N/A. No response","No disponible. Sin respuesta." -"Matched (CVV2)","Emparejado (CVV2)" -"N/A. The merchant has not implemented CVV2 code handling","No disponible. El comerciante no ha implementado la gestión del código CVV2." -"N/A. Merchant has indicated that CVV2 is not present on card","No disponible. El comerciante ha notificado que su tarjeta no tiene CVV2." -"Authenticated, Good Result","Autenticación, Resultado Correcto" -"Authenticated, Bad Result","Autenticación, Resultado Incorrecto" -"Attempted Authentication, Good Result","Intento de Autenticación, Resultado Correcto" -"Attempted Authentication, Bad Result","Intento de Autenticación, Resultado Incorrecto" -"No Liability Shift","No hay cambios de responsabilidad" -"Issuer Liability","Responsabilidad del Emisor" -CNPJ,CNPJ -CPF,CPF -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.","Las operaciones de pago no permiten almacenar objetos." -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.","Esta operación requiere de una transacción ya existente." -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date","Fecha del informe" -"Merchant Account","Cuenta del comerciante" -"Transaction ID","Número de identificación de la transacción" -"Invoice ID","Identificación de la Factura" -"PayPal Reference ID","Id. de referencia de PayPal" -"PayPal Reference ID Type","Tipo de Id. de referencia de PayPal" -"Event Code","Código de Evento" -"Finish Date","Finish Date" -"Debit or Credit","Débito o Crédito" -"Gross Amount","Total Bruto" -"Fee Debit or Credit","Comisión Débito o Crédito" -"Fee Amount","Importe de la Comisión" -"Order ID","ID de Pedido" -"Subscription ID","ID de Suscripción." -"Preapproved Payment ID","Identificación del Pago Pre-autorizado" -Credit,Crédito -Debit,Débito -"General: received payment of a type not belonging to the other T00xx categories","General: pago recibido de una clase no perteneciente a las otras T00xx categorías" -"Mass Pay Payment","Pago Agrupado" -"Subscription Payment, either payment sent or payment received","Pago de suscripción, bien sea pago enviado o recibido." -"Preapproved Payment (BillUser API), either sent or received","Pagos previamente aprobados (BillUser API) enviados o recibidos" -"eBay Auction Payment","Pago de Subasta de eBay" -"Direct Payment API","API de pago directo" -"Express Checkout APIs","APIs de Paso por Caja Express" -"Website Payments Standard Payment","Pago estándar de la página web" -"Postage Payment to either USPS or UPS","Pago de los Gastos de Envío bien a USPS o a UPS" -"Gift Certificate Payment: purchase of Gift Certificate","Pago de Cheque Regalo: compra de Cheque Regalo" -"Auction Payment other than through eBay","Pago por Subasta diferente de eBay" -"Mobile Payment (made via a mobile phone)","Pago móvil (realizado vía teléfono móvil)" -"Virtual Terminal Payment","Pago Terminal virtual" -"General: non-payment fee of a type not belonging to the other T01xx categories","General: tarifa de impago de una clase no perteneciente a las otras T01xx categorías" -"Fee: Web Site Payments Pro Account Monthly","Comisión: cuenta Web Site Payments Pro mensual" -"Fee: Foreign ACH Withdrawal","Comisión: Retirada ACH en el extranjero" -"Fee: WorldLink Check Withdrawal","Comisión: Retirada mediante cheque WorldLink" -"Fee: Mass Pay Request","Comisión: Solicitud de Pago Masivo" -"General Currency Conversion","Conversión de Divisa General" -"User-initiated Currency Conversion","Conversión de moneda iniciada por el usuario" -"Currency Conversion required to cover negative balance","Se requiere una Conversión de Divisas para cubrir el saldo negativo" -"General Funding of PayPal Account ","Fondos Generales de la Cuenta de PayPal" -"PayPal Balance Manager function of PayPal account","Función del Gestor de saldo de PayPal de la cuenta de PayPal" -"ACH Funding for Funds Recovery from Account Balance","Financiación ACH para Recuperación de Fondos desde el Balance de Cuenta" -"EFT Funding (German banking)","Transacción EFT (Bancos alemanes)" -"General Withdrawal from PayPal Account","Retirada de fondos General desde la Cuenta de PayPal" -AutoSweep,AutoBarrido -"General: Use of PayPal account for purchasing as well as receiving payments","General: Uso de la cuenta PayPal tanto para comprar como para recibir pagos" -"Virtual PayPal Debit Card Transaction","Transacción de Tarjeta de Débito de PayPal Virtual" -"PayPal Debit Card Withdrawal from ATM","Retiro de dinero de tarjeta de débido de PayPal desde un cajero automático" -"Hidden Virtual PayPal Debit Card Transaction","Transacción Oculta de Tarjeta Virtual de Débito PayPal" -"PayPal Debit Card Cash Advance","Adelanto de efectivo de una tarjeta de débito en PayPal" -"General: Withdrawal from PayPal Account","General: Retirada de fondos desde la Cuenta de PayPal" -"General (Purchase with a credit card)","General (Compra con una tarjeta de crédito)" -"Negative Balance","No disponible. Saldo negativo" -"General: bonus of a type not belonging to the other T08xx categories","General: bonificación de una clase no perteneciente a las otras T08xx categorías" -"Debit Card Cash Back","Retirada de efectivo de tarjeta de débito" -"Merchant Referral Bonus","Bonificación de referencia del comerciante" -"Balance Manager Account Bonus","Bono de Cuenta de Gestor de Balance" -"PayPal Buyer Warranty Bonus","Bonificación de garantía del comprador en PayPal" -"PayPal Protection Bonus","Bono de protección de PayPal" -"Bonus for first ACH Use","Bono por el primer Uso de ACH" -"General Redemption","Amortización General" -"Gift Certificate Redemption","Canjear Cheque Regalo" -"Points Incentive Redemption","Puntos de incentivo por cancelación" -"Coupon Redemption","Reembolso de Cupón" -"Reward Voucher Redemption","Realizar canje de vales" -"General. Product no longer supported","General. Este producto ya no está admitido" -"General: reversal of a type not belonging to the other T11xx categories","General: revocación de una clase no perteneciente a las otras T01xx categorías" -"ACH Withdrawal","Retirada ACH" -"Debit Card Transaction","Transacción con tarjeta de débito" -"Reversal of Points Usage","Inversión de los puntos de utilización" -"ACH Deposit (Reversal)","Depósito ACH (Revocación)" -"Reversal of General Account Hold","Revocación de Cargo General en Cuenta" -"Account-to-Account Payment, initiated by PayPal","Pago Cuenta-a-Cuenta, iniciado por PayPal" -"Payment Refund initiated by merchant","Reembolso de Pago iniciado por el comerciante" -"Fee Reversal","Retroceso de Comisiones" -"Hold for Dispute Investigation","Manténgase a la Espera de la Investigación sobre la Disputa" -"Reversal of hold for Dispute Investigation","Reposición por la investigación de la disputa" -"General: adjustment of a type not belonging to the other T12xx categories","General: ajuste de una clase no perteneciente a las otras T12xx categorías" -Reversal,Inversión -Charge-off,Cancelar -Incentive,Incentivo -"Reimbursement of Chargeback","Reembolso de una transacción devuelta" -"General (Authorization)","General (Autorización)" -Reauthorization,Reautorización -Void,Nulo -"General (Dividend)","General (Dividendo)" -"General: temporary hold of a type not belonging to the other T15xx categories","General: cargo temporal de una clase no perteneciente a las otras T15xx categorías" -"Open Authorization","Abrir la autorización" -"ACH Deposit (Hold for Dispute or Other Investigation)","Depósito ACH (En Espera por Conflicto u Otra Investigación)" -"Available Balance","Balance Disponible" -Funding,Fondos -"General: Withdrawal to Non-Bank Entity","General: Retirada de fondos a una Entidad No Bancaria" -"WorldLink Withdrawal","Retirada de Fondos WorldLink" -"Buyer Credit Payment","Pago de Crédito de Comprador" -"General Adjustment without businessrelated event","Ajuste General sin ningún acontecimiento relacionado con el negocio" -"General (Funds Transfer from PayPal Account to Another)","General (Transferencia de Fondos desde una Cuenta Paypal a Otra Cuenta)" -"Settlement Consolidation","Consolidación del Acuerdo" -"General: event not yet categorized","General: suceso no catalogado aún" -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days","Cada 3 días" -"Every 7 days","Cada 7 días" -"Every 10 days","Cada 10 días" -"Every 14 days","Cada 14 días" -"Every 30 days","Cada 30 días" -"Every 40 days","Cada 40 días" -"No Logo","Sin logotipo" -"Pending PayPal","Pendiente de pago en PayPal" -"Billing Agreement","Acuerdo de facturación" -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- Por favor, Seleccione el Acuerdo de Facturación--" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements","Volver a los contratos de facturación" -"There are no billing agreements yet.","No hay acuerdos de facturación todavía." -"New Billing Agreement","Nuevo Acuerdo de Facturación" -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order","Revise su pedido" -"Please select a shipping method...","Por favor, elija un método de envío..." -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart","Artículos en Su Carro de la Compra" -"Edit Shopping Cart","Editar Carrito de la Compra" -"Please update order data to get shipping methods and rates","Por favor, actualice los datos del pedido para obtener métodos de envío y tarifas" -"Checkout with PayPal","Pago con PayPal" -"Please do not refresh the page until you complete payment.","No actualice la página hasta que complete el pago." -"You will be required to enter your payment details after you place an order.","Se le solicitará que introduzca los detalles del pago tras realizar el pedido." -"Additional Options","Opciones Adicionales" -"Acceptance Mark","Señal de Aceptación" -"What is PayPal?","¿Qué es PayPal?" -"Sign a billing agreement to streamline further purchases with PayPal.","Firma un acuerdo de facturación para agilizar futuras compras con PayPal." -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Paypal/i18n/fr_FR.csv b/app/code/Magento/Paypal/i18n/fr_FR.csv deleted file mode 100644 index 2db5be340c65b..0000000000000 --- a/app/code/Magento/Paypal/i18n/fr_FR.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,Personnalisé -Close,Close -Cancel,Cancel -Back,Back -Price,Prix -ID,ID -Configure,Configure -No,Non -Qty,Qty -Subtotal,Sous-total -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,Oui -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,Commande -View,Vue -Active,Active -Position,Position -Dynamic,Dynamique -N/A,N/A -Canceled,Canceled -"General Information","General Information" -Static,Statique -"Advanced Settings","Advanced Settings" -"Learn More","En savoir plus" -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability","Responsabilité du vendeur" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Méthode d'expédition" -"Please agree to all the terms and conditions before placing the order.","Veuillez accepter toutes les conditions générales avant de passer la commande." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address","Adresse d'expédition" -"Payment Method","Payment Method" -"Place Order","Placer une commande" -"Sorry, no quotes are available for this order at this time.","Désolé, aucune estimation n'est actuellement disponible pour cette commande." -Sales,Ventes -Created,Created -Display,Display -User,User -Daily,"Tous les jours" -Date,Date -"Order Total","Order Total" -Never,Jamais -Updated,Updated -Reports,Rapports -"Order Status","Order Status" -"View Order","View Order" -Event,Évènement -"Please Select","Please Select" -"Submitting order information...","Traitement de la commande..." -Authorization,Autorisation -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements","Accords de facturation" -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View","Voir l'accord de facturation" -"View Transaction Details","Voir les détails de la transction" -"Reference Information","Informations de référence" -"Transaction Information","Information de la transaction" -"PayPal Fee Information","Informations des frais Paypal" -"PayPal Settlement Reports","Rapports sur le règlement PayPal" -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates","Mises à jour de récupération" -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,Aide -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo","Voir démo" -"See terms","See terms" -"You will be redirected to the PayPal website.","Vous serez redirigé vers le site de Paypal." -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.","Vous serez redirigé vers le site de PayPal quand vous effectuerez une commande." -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.","Vous serez redirigé vers le site web de Paypal dans quelques secondes." -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction","Voir la transaction" -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.","Le contrôle express et la commande ont été annulés." -"Express Checkout has been canceled.","Le contrôle express a été annulé." -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.","Le mot de vérification du paiement express via Paypal n'existe pas." -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.","La réponse PayPal n'a pas les champs obligatoires." -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:","Impossible d'enregistrer l'accord de facturation :" -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)","Nous préférons PayPal (150 X 60)" -"We prefer PayPal (150 X 40)","Nous préférons Paypal (150 X 40)" -"Now accepting PayPal (150 X 60)","PayPal désormais accepté (150 X 60)" -"Now accepting PayPal (150 X 40)","Accepte maintenant PayPal (150 X 40)" -"Payments by PayPal (150 X 60)","Paiements par PayPal (150 X 60)" -"Payments by PayPal (150 X 40)","Paiements par PayPal (150 X 40)" -"Shop now using (150 X 60)","Boutique utilisant maintenant (150 X 60)" -"Shop now using (150 X 40)","Faites vos achats en utilisant (150 X 40)" -Shortcut,Raccourci -"Acceptance Mark Image","Image de marque d'acceptance" -Sale,Vente -"For Virtual Quotes Only","Pour les devis virtuels uniquement" -Auto,Automatique -"Ask Customer","Demander au client" -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature","Signature API" -"API Certificate","Certificat API" -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.","Le nombre maximum d'autorisations pour enfant est atteint." -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.","Le payeur n'est pas identifié." -"Last Transaction ID","Dernier identifiant de transaction" -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.","Le paiement est autorisé mais pas encore réglé." -"The payment eCheck is not yet cleared.","Le paiement eCheck n'est pas encore validé." -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.","Le paiement est en attente alors qu'il est actuellement examiné par PayPal pour le risque." -"The payment is pending because it was made to an email address that is not yet registered or confirmed.","Le paiement est en attente car il a été fait vers une adresse qui n'est pas encore enregistrée ou confirmée." -"The merchant account is not yet verified.","Le compte du vendeur n'est pas vérifié." -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.","Le paiement a été effectué via carte de crédit. Afin de recevoir les fonds, le vendeur doit obtenir un compte Business ou Premier." -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.","Annulation d'un ajustement." -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.","Remboursement pour un rejet de débit." -"Settlement of a chargeback.","Accord de remboursement." -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.","Raison inconnue. Veuillez contacter le service client de PayPal." -"Payer ID","ID du payeur" -"Payer Email","E-mail du payeur" -"Payer Status","Statut du payeur" -"Payer Address ID","Identifiant de l'adresse de l'acheteur" -"Payer Address Status","Statut d'adresse du payeur" -"Merchant Protection Eligibility","Eligibilité de protection marchande" -"Triggered Fraud Filters","A déclenché les détecteurs de fraude" -"Last Correlation ID","Dernier identifiant en corrélation" -"Address Verification System Response","Réponse du système à la vérification d'adresse" -"CVV2 Check Result by PayPal","Résultats de chèque CVV2 via Paypal" -"Buyer's Tax ID","Identification fiscale de l'acheteur" -"Buyer's Tax ID Type","Type d'identification fiscale de l'acheteur" -Chargeback,"Frais de retour" -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)","Adresse correspondante uniquement (pas de ZIP)" -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched","Pas de détails correspondants" -"No Details matched. International","Pas de détail trouvé. International" -"Exact Match. Address and nine-digit ZIP code","Correspondance exacte. Adresse et code postal ZIP à neuf chiffres" -"Exact Match. Address and Postal Code. International","Correspondance exacte. Adresse et code postal. International" -"Exact Match. Address and Postal Code. UK-specific","Correspondance exacte. Adresse et code postal. Spécifique à la Grande Bretagne" -"N/A. Not allowed for MOTO (Internet/Phone) transactions","N/A. Non autorisé pour des transactions MOTO (Internet / Téléphone)" -"N/A. Global Unavailable","N/A. Indisponible" -"N/A. International Unavailable","N/A. International indisponible." -"Matched five-digit ZIP only (no Address)","ZIP à 5 chiffres correspondant uniquement (pas d'adresse)" -"Matched Postal Code only (no Address)","Code postal correspondant uniquement (pas d'adresse)" -"N/A. Retry","N/A. Réessayez" -"N/A. Service not Supported","N/A. Le service n'est pas pris en charge" -"N/A. Unavailable","N/A. Indisponible." -"Matched whole nine-didgit ZIP (no Address)","ZIP complet à 9 chiffres correspondant uniquement (pas d'adresse)" -"Yes. Matched Address and five-didgit ZIP","Oui. Adresse correspondante et ZIP à 5 chiffres" -"All the address information matched","Toutes les informations de l'adresse correspondent" -"None of the address information matched","Aucune des informations de l'adresse ne correspondait." -"Part of the address information matched","Une partie des informations de l'adresse correspond" -"N/A. The merchant did not provide AVS information","N/A. Le commerçant n'a pas fourni d'information AVS" -"N/A. Address not checked, or acquirer had no response. Service not available","N/A. Adresse non spécifiée, ou pas de réponse. Service non disponible." -"Matched (CVV2CSC)","Assorti (CVV2CSC)" -"No match","Aucune correspondance" -"N/A. Not processed","N/A. Non effectué." -"N/A. Service not supported","N/A. Appareil non supporté" -"N/A. Service not available","N/A. Service non disponible." -"N/A. No response","N/A Pas de réponse" -"Matched (CVV2)","Correspondance (CVV2)" -"N/A. The merchant has not implemented CVV2 code handling","N/A. Le vendeur n'a pas implémenté la gestion du code CVV2" -"N/A. Merchant has indicated that CVV2 is not present on card","N/A. Le vendeur a indiqué que ce CVV2 n'est pas présent." -"Authenticated, Good Result","Authentifié, bon résultat" -"Authenticated, Bad Result","Authentifié, mauvais résultat" -"Attempted Authentication, Good Result","Essai d'authentification, bon résultat" -"Attempted Authentication, Bad Result","Essai d'authentification, mauvais résultat" -"No Liability Shift","Pas de transfert de responsabilité" -"Issuer Liability","Responsabilité de l'émetteur" -CNPJ,CNPJ -CPF,CPF -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.","Les transactions de paiement ne permettent pas le stockage d'objets." -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.","Cette opération nécessite un objet de transaction existant." -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date","Date du rapport" -"Merchant Account","Compte du vendeur" -"Transaction ID","ID de la transaction" -"Invoice ID","Identifiant de la facture" -"PayPal Reference ID","Identifiant de référence Paypal" -"PayPal Reference ID Type","Type d'identifiant de référence Paypal" -"Event Code","Code de l'évènement" -"Finish Date","Finish Date" -"Debit or Credit","Débit ou crédit" -"Gross Amount","Montant brut" -"Fee Debit or Credit","Frais de débit ou crédit" -"Fee Amount","Montant des frais" -"Order ID","Identifiant commande" -"Subscription ID","Identifiant de l'inscrit" -"Preapproved Payment ID","Identifiant du paiement pré-approuvé" -Credit,Crédit -Debit,Débit -"General: received payment of a type not belonging to the other T00xx categories","Général : paiement reçu ne correspondant pas aux autres catégories T01xx" -"Mass Pay Payment","Paiement de masse" -"Subscription Payment, either payment sent or payment received","Paiement de l'abonnement, paiement envoyé ou paiement reçu" -"Preapproved Payment (BillUser API), either sent or received","Paiement préapprouvés (API facture utilisateur), envoyé ou reçu" -"eBay Auction Payment","Paiement d'enchères eBay" -"Direct Payment API","Paiement direct via l'API" -"Express Checkout APIs","APIs de paiement Express" -"Website Payments Standard Payment","Paiement site paiement standard" -"Postage Payment to either USPS or UPS","Envoi d'un paiement à USPS ou UPS" -"Gift Certificate Payment: purchase of Gift Certificate","Paiement du certificat de cadeau : acheter un certificat de cadeau" -"Auction Payment other than through eBay","Paiement des enchères autres que via eBay" -"Mobile Payment (made via a mobile phone)","Paiement mobile (effectué via un téléphone mobile)" -"Virtual Terminal Payment","Terminal de paiement virtuel" -"General: non-payment fee of a type not belonging to the other T01xx categories","Général : frais de non paiement ne correspondant pas aux catégories T01xx" -"Fee: Web Site Payments Pro Account Monthly","Frais : compte mensuelle de sites web pro" -"Fee: Foreign ACH Withdrawal","Frais : virement à l'étranger" -"Fee: WorldLink Check Withdrawal","Frais : virement Worldlink" -"Fee: Mass Pay Request","Frais : requête de paiement de masse" -"General Currency Conversion","Conversion de monnaie" -"User-initiated Currency Conversion","Conversion de devise initiée par l'utilisateur" -"Currency Conversion required to cover negative balance","Conversion de monnaie nécessaire pour compenser balance négative" -"General Funding of PayPal Account ","Fonds du compte Paypal" -"PayPal Balance Manager function of PayPal account","Fonction de gestion de la balance de votre compte Paypal" -"ACH Funding for Funds Recovery from Account Balance","Fonds ACH pour récupération de fonds depuis la balance du compte" -"EFT Funding (German banking)","Fonds EFT (banque allemande)" -"General Withdrawal from PayPal Account","Virement général depuis le compte Paypal" -AutoSweep,"Emporter automatiquement" -"General: Use of PayPal account for purchasing as well as receiving payments","Général : Utilisation du compte Paypal pour acheter et recevoir des paiements" -"Virtual PayPal Debit Card Transaction","Transaction via carte de débit virtuelle Paypal" -"PayPal Debit Card Withdrawal from ATM","Retrait depuis distributeur automatique à partir d'une carte de débit Paypal" -"Hidden Virtual PayPal Debit Card Transaction","Transaction cachée via carte de débit Paypal" -"PayPal Debit Card Cash Advance","Avance de fonds carte de débit PayPal" -"General: Withdrawal from PayPal Account","Général : virement depuis le compte Paypal." -"General (Purchase with a credit card)","Général (commande via carte de crédit)" -"Negative Balance","Solde négatif" -"General: bonus of a type not belonging to the other T08xx categories","Général : bonus d'un type ne correspondant pas aux autres catégories T08xx" -"Debit Card Cash Back","Remboursement carte de débit." -"Merchant Referral Bonus","Bonus de parrainage d'un vendeur" -"Balance Manager Account Bonus","Bonus de la balance du manager" -"PayPal Buyer Warranty Bonus","Bonus Garantie Acheteur PayPal" -"PayPal Protection Bonus","Bonus de protection Paypal" -"Bonus for first ACH Use","Bonus pour première utilisation de l'ACH" -"General Redemption","Remboursement général" -"Gift Certificate Redemption","Obtenir annulation du certificat de cadeau" -"Points Incentive Redemption","Remboursement de prime de points" -"Coupon Redemption","Annulations de coupons" -"Reward Voucher Redemption","Remboursement bon de récompense" -"General. Product no longer supported","Général. Produit plus supporté." -"General: reversal of a type not belonging to the other T11xx categories","Général : annulation d'un type ne correspondant pas aux autres catégories T11xx" -"ACH Withdrawal","Virement ACH" -"Debit Card Transaction","Transaction via carte de débit." -"Reversal of Points Usage","Reprise de l'utilisation des points" -"ACH Deposit (Reversal)","Dépôt ACH (annulation)" -"Reversal of General Account Hold","Annulation de l'attente du compte" -"Account-to-Account Payment, initiated by PayPal","Paiement compte-à-compte, initié par PayPal" -"Payment Refund initiated by merchant","Remboursement de paiement initié par le marchand" -"Fee Reversal","Annulation des frais" -"Hold for Dispute Investigation","Retenir pour enquête du litige" -"Reversal of hold for Dispute Investigation","Reprise de l'immobilisation pour enquête sur la contestation" -"General: adjustment of a type not belonging to the other T12xx categories","Général : ajustement à un type ne correspondant pas aux autres catégories T12xx" -Reversal,Reprise -Charge-off,Radiés -Incentive,Motivation -"Reimbursement of Chargeback",Remboursement. -"General (Authorization)","Général (autorisation)" -Reauthorization,Réautorisation -Void,Annuler -"General (Dividend)","Générale (dividendes)" -"General: temporary hold of a type not belonging to the other T15xx categories","Général : blocage temporaire d'un type ne correspondant pas aux catégories T15xx" -"Open Authorization","Autorisation ouverte" -"ACH Deposit (Hold for Dispute or Other Investigation)","Dépôt ACH (bloquer pour litige ou autre enquête)" -"Available Balance","Solde disponible" -Funding,Fonds -"General: Withdrawal to Non-Bank Entity","Général : virement vers une entité non-bancaire" -"WorldLink Withdrawal","Virement WorldLink" -"Buyer Credit Payment","Paiement acheteur" -"General Adjustment without businessrelated event","Ajustement général avec les évènements liés au commerce" -"General (Funds Transfer from PayPal Account to Another)","Général (transfert de fonds d'un compte Paypal à un autre)" -"Settlement Consolidation","Consolidation de l'accord." -"General: event not yet categorized","Général : évènement n'appartenant à aucune catégorie" -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days","Tous les 3 jours" -"Every 7 days","Tous les 7 jours" -"Every 10 days","Tous les 10 jours" -"Every 14 days","Tous les 14 jours" -"Every 30 days","Tous les 30 jours" -"Every 40 days","Tous les 40 jours" -"No Logo","Pas de logo" -"Pending PayPal","PayPal en attente" -"Billing Agreement","Accord de facturation" -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- Veuillez sélectionner un accord de facturation--" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements","Retour aux accords de facturation" -"There are no billing agreements yet.","Il n'y a pas encore d'accord de facturation" -"New Billing Agreement","Nouvel Accord de Facturation" -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order","Vérification de la commande" -"Please select a shipping method...","Veuillez sélectionner un mode d'expédition..." -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart","Objets dans votre panier" -"Edit Shopping Cart","Modifier le panier" -"Please update order data to get shipping methods and rates","Veuillez mettre à jour les données de la commande afin d'obtenir les modes et tarifs d'envoi" -"Checkout with PayPal","Commander avec PayPal" -"Please do not refresh the page until you complete payment.","Merci de ne pas actualiser cette page avant la finalisation du paiement." -"You will be required to enter your payment details after you place an order.","Vous devrez saisir vos informations de paiement après avoir passé une commande." -"Additional Options","Options additionnelles" -"Acceptance Mark","Marque d'acceptance" -"What is PayPal?","Qu'est-ce que Paypal?" -"Sign a billing agreement to streamline further purchases with PayPal.","Signez un accord de facture pour continuer vos achats via Paypal." -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Paypal/i18n/nl_NL.csv b/app/code/Magento/Paypal/i18n/nl_NL.csv deleted file mode 100644 index 6121c7d1ba940..0000000000000 --- a/app/code/Magento/Paypal/i18n/nl_NL.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,Zelfgekozen -Close,Close -Cancel,Cancel -Back,Back -Price,Prijs -ID,ID -Configure,Configure -No,Nee -Qty,Qty -Subtotal,Subtotaal -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,Ja -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,Bestelling -View,Bekijk -Active,Active -Position,Position -Dynamic,Dynamisch -N/A,Nvt -Canceled,Canceled -"General Information","General Information" -Static,Statisch -"Advanced Settings","Advanced Settings" -"Learn More","Meer Informatie" -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability","Winkelier Aansprakelijkheid" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method",Verzendingsmethode -"Please agree to all the terms and conditions before placing the order.","Ga alstublieft akkoord met alle voorwaarden voor het plaatsen van de bestelling." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address",Verzendingsadres -"Payment Method","Payment Method" -"Place Order","Bestelling plaatsen" -"Sorry, no quotes are available for this order at this time.","Sorry, geen prijsopgaven zijn beschikbaar voor deze bestelling op dit moment." -Sales,Verkoop -Created,Created -Display,Display -User,User -Daily,Dagelijks -Date,Date -"Order Total","Order Total" -Never,Nooit -Updated,Updated -Reports,Verslagen -"Order Status","Order Status" -"View Order","View Order" -Event,Gebeurtenis -"Please Select","Please Select" -"Submitting order information...","Bestellingsinformatie aan het overbrengen..." -Authorization,Autorisatie -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements","Facturering Overeenkomsten" -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View","Factureringsovereenkomst Beeld" -"View Transaction Details","Bekijk Transactie Details" -"Reference Information",Verwijsinformatie -"Transaction Information","Transactie Informatie" -"PayPal Fee Information","PayPal kosten informatie" -"PayPal Settlement Reports","PayPal Overeenstemming Rapporten" -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates","Updates halen" -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,Help -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo","Bekijk Demo" -"See terms","See terms" -"You will be redirected to the PayPal website.","U zult doorverwezen worden naar de PayPal website." -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.","U wordt door verwezen naar de PayPal website wanneer u een bestelling plaatst." -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.","U zult binnen enkele seconden naar de PayPal website worden geleid." -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction","Transactie bekijken" -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.","Express Checkout en bestelling zijn geannuleerd." -"Express Checkout has been canceled.","Express Checkout is geannuleerd." -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.","PayPal Express Afrekenen Teken bestaan niet." -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.","Antwoord van PayPal bevat de vereiste velden niet." -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:","Niet mogelijk om Betalingsovereenkomst op te slaan:" -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)","Paypal heeft onze voorkeur (150 X 60)" -"We prefer PayPal (150 X 40)","PayPal heeft onze voorkeur (150 X 40)" -"Now accepting PayPal (150 X 60)","Accepteert nu PayPal (150 X 60)" -"Now accepting PayPal (150 X 40)","Accepteert nu PayPal (150 X 40)" -"Payments by PayPal (150 X 60)","Betalingen door PayPal (150 X 60)" -"Payments by PayPal (150 X 40)","Betalingen door PayPal (150 X 40)" -"Shop now using (150 X 60)","Winkel nu met (150 X 60)" -"Shop now using (150 X 40)","Winkel nu met (150 X 40)" -Shortcut,Snelkoppeling -"Acceptance Mark Image","Acceptatie Stempel Afbeelding" -Sale,Verkoop -"For Virtual Quotes Only","Alleen Voor Virtuele Prijsopgaves" -Auto,Auto -"Ask Customer","Vraag een Klant" -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature","API Handtekening" -"API Certificate","API Certificaat" -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.","Het maximale aantal kindmachtigingen is bereikt." -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.","Betaler is niet geïdentificeerd." -"Last Transaction ID","Laatste Transactie ID" -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.","De betaling is gemachtigd, maar niet afgehandeld." -"The payment eCheck is not yet cleared.","De betalings eCheck is nog niet vrijgegeven." -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.","De betaling staat in de wacht, terwijl deze beoordeeld wordt op risico door PayPal." -"The payment is pending because it was made to an email address that is not yet registered or confirmed.","De betaling staat in de wacht omdat deze aangemaakt is met een emailadres dat nog niet geregistreerd of bevestigd is." -"The merchant account is not yet verified.","De handelsaccount is nog niet geverifieerd." -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.","De betaling werd gemaakt via creditcard. Om de gelden te ontvangen, moet de handelaar de account upgraden naar Business of Premier status." -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.","Omzetting van een aanpassing" -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.","Vergoeding voor een terugboeking" -"Settlement of a chargeback.","Regeling van een terugboeking." -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.","Onbekende oorzaak. Neem alstublieft contact op met de klantendienst van PayPal." -"Payer ID","Betaler ID" -"Payer Email","Betaler Email" -"Payer Status","Betaler Status" -"Payer Address ID","Betaler Adres ID" -"Payer Address Status","Betaler Adres Status" -"Merchant Protection Eligibility","In aanmerking komen voor handelaar bescherming" -"Triggered Fraud Filters","Fraudeur Filters Getriggerd" -"Last Correlation ID","Laatste Correlatie ID" -"Address Verification System Response","Adres Verificatie Systeem Antwoord" -"CVV2 Check Result by PayPal","CVV2 Controle Resultaat van PayPal" -"Buyer's Tax ID","Kopers Belastings ID" -"Buyer's Tax ID Type","Koper 's Belastings ID Type" -Chargeback,Terugboeking -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)","Alleen Adres komt overeen (geen ZIP)" -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched","Geen Details kwamen overeen" -"No Details matched. International","Geen Details kwamen overeen. Internationaal" -"Exact Match. Address and nine-digit ZIP code","Exacte overeenkomst. Adres en negencijferige ZIP code" -"Exact Match. Address and Postal Code. International","Exacte overeenkomst. Adres en postcode. Internationaal" -"Exact Match. Address and Postal Code. UK-specific","Exacte overeenkomst. Adres en postcode. Specifiek voor Verenigd Koninkrijk" -"N/A. Not allowed for MOTO (Internet/Phone) transactions","n.v.t. Niet toegestaan voor MOTO (Internet/Telefoon) overboekingen" -"N/A. Global Unavailable","n.v.t. Globaal Onbeschikbaar" -"N/A. International Unavailable","n.v.t. Internationaal Onbeschikbaar" -"Matched five-digit ZIP only (no Address)","Alleen 5-getal ZIP code komt overeen (geen Adres)" -"Matched Postal Code only (no Address)","Alleen Post Code komt overeen (geen Adres)" -"N/A. Retry","n.v.t. Probeer opnieuw" -"N/A. Service not Supported","n.v.t. Service niet ondersteund" -"N/A. Unavailable","n.v.t. Niet beschikbaar" -"Matched whole nine-didgit ZIP (no Address)","Gehele 9-cijferige ZIP code komt overeen (geen Adres)" -"Yes. Matched Address and five-didgit ZIP","Ja. Het adres en de 5-cijferige ZIP code komen overeen" -"All the address information matched","Al de adres komt overeen" -"None of the address information matched","Geen van de adres informatie kwam overeen" -"Part of the address information matched","Deel van de adresinformatie komt overeen" -"N/A. The merchant did not provide AVS information","n.v.t. De handelaar heeft geen AVS informatie overhandigd" -"N/A. Address not checked, or acquirer had no response. Service not available","n.v.t. Adres niet gecontroleerd of verkrijger had geen reactie. Service niet beschikbaar" -"Matched (CVV2CSC)","Komt over een (CVV2CSC)" -"No match","Geen overeenkomst" -"N/A. Not processed","n.v.t. Niet verwerkt" -"N/A. Service not supported","N/A. Dienst niet ondersteund." -"N/A. Service not available","n.v.t. Service niet beschikbaar" -"N/A. No response","n.v.t. Geen reactie" -"Matched (CVV2)","Komt over een (CVV2)" -"N/A. The merchant has not implemented CVV2 code handling","n.v.t. De handelaar heeft geen CVV2 code verwerking ingevoerd" -"N/A. Merchant has indicated that CVV2 is not present on card","n.v.t. Handelaar heeft aangegeven dat CVV2 niet aanwezig is op de kaart" -"Authenticated, Good Result","Geverifieerd, Goed Resultaat" -"Authenticated, Bad Result","Geverifieerd, Slecht Resultaat" -"Attempted Authentication, Good Result","Poging tot Autorisatie, Goed Resultaat" -"Attempted Authentication, Bad Result","Poging tot Autorisatie, Slecht Resultaat" -"No Liability Shift","Geen Aansprakelijkheid Verschuiving" -"Issuer Liability","Uitgever Verantwoordelijkheid" -CNPJ,CNPJ -CPF,CPF -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.","Betalingstransacties staan het opslaan van objecten niet toe." -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.","Deze operatie vereist een bestaand transactie object." -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date","Datum bericht" -"Merchant Account","Handelaar Account" -"Transaction ID","Transactie ID" -"Invoice ID","Factuur ID" -"PayPal Reference ID","PayPal referentie ID" -"PayPal Reference ID Type","PayPal referentie ID type" -"Event Code","Gebeurtenis code" -"Finish Date","Finish Date" -"Debit or Credit","Debet of Credit" -"Gross Amount",Brutobedrag -"Fee Debit or Credit","Kosten betaalrekening of creditcard" -"Fee Amount","Kosten bedrag" -"Order ID","ID Bestelling" -"Subscription ID","Abonnement ID" -"Preapproved Payment ID","Vooraf goedgekeurde Betaling ID" -Credit,Krediet -Debit,Debet -"General: received payment of a type not belonging to the other T00xx categories","Algemeen: betaling ontvangen van een type dat niet behoort tot de andere T00xx categorieën" -"Mass Pay Payment",Bulkbetaling -"Subscription Payment, either payment sent or payment received","Abonnementsbetaling, betaling verzonden of betaling ontvangen" -"Preapproved Payment (BillUser API), either sent or received","Vooraf goedgekeurde Betaling (RekeningGebruiker API), verzonden of ontvangen" -"eBay Auction Payment","eBay veiling betaling" -"Direct Payment API","Directe Betaling API" -"Express Checkout APIs","Versneld afrekenen APIs" -"Website Payments Standard Payment","Website Betalingen Standaard Betaling" -"Postage Payment to either USPS or UPS","Porto betaling aan USPS dan wel UPS" -"Gift Certificate Payment: purchase of Gift Certificate","Geschenkcertificaat Betaling: aankoop van Geschenkcertificaat" -"Auction Payment other than through eBay","Veiling Betaling anders dan via eBay" -"Mobile Payment (made via a mobile phone)","Mobiele Betaling (betaling via een mobiele telefoon)" -"Virtual Terminal Payment","Virtuele Laatste Betaling" -"General: non-payment fee of a type not belonging to the other T01xx categories","Algemeen: niet-betalingsvergoeding van een type dat niet behoort tot de andere T01xx categorieën" -"Fee: Web Site Payments Pro Account Monthly","Kosten: betalingen website pro account per maand" -"Fee: Foreign ACH Withdrawal","Kosten: buitenlandse ACH opname" -"Fee: WorldLink Check Withdrawal","Kosten: WereldLink check opname" -"Fee: Mass Pay Request","Kosten: massaal betalingsverzoek" -"General Currency Conversion","Algemene Valuta Omzetting" -"User-initiated Currency Conversion","Gebruiker-geïnitieerde munteenheid conversie" -"Currency Conversion required to cover negative balance","Valuta Conversie nodig om het negatieve balans te dekken" -"General Funding of PayPal Account ","Algemene Financiering van PayPal Account" -"PayPal Balance Manager function of PayPal account","PayPal Balansbeheerder functie van PayPal account" -"ACH Funding for Funds Recovery from Account Balance","ACH Financiering voor fondsen herstel op het account balans" -"EFT Funding (German banking)","EFT fondsen (Duits bankieren)" -"General Withdrawal from PayPal Account","Algemene Opname van PayPal Account" -AutoSweep,AutomatischOpschonen -"General: Use of PayPal account for purchasing as well as receiving payments","Algemeen: Gebruik van PayPal account voor zowel aankopen als ontvangen van betalingen" -"Virtual PayPal Debit Card Transaction","Virtuele Paypal Debitcard Transactie" -"PayPal Debit Card Withdrawal from ATM","PayPal betaalkaart geld pinnen" -"Hidden Virtual PayPal Debit Card Transaction","Verborgen Virtuele PayPal Debitcard Transactie" -"PayPal Debit Card Cash Advance","PayPal betaalkaart kas voorschot" -"General: Withdrawal from PayPal Account","Algemeen: Opname van PayPal Account" -"General (Purchase with a credit card)","Algemeen (Aankoop met een creditcard)" -"Negative Balance","Negatief Balans" -"General: bonus of a type not belonging to the other T08xx categories","Algemeen: bonus van een type dat niet behoort tot de andere T08xx categorieën" -"Debit Card Cash Back","Debetkaart Geld Terug" -"Merchant Referral Bonus","Handelaar Doorverwijzing Bonus" -"Balance Manager Account Bonus","Balans Beheerder Account Bonus" -"PayPal Buyer Warranty Bonus","PayPal koper garantie bonus" -"PayPal Protection Bonus","PayPal beschermingsbonus" -"Bonus for first ACH Use","Bonus voor eerste ACH gebruik" -"General Redemption","Algemene Afschrijving" -"Gift Certificate Redemption","Geschenkcertificaat Inlossen" -"Points Incentive Redemption","Punten Incentive Aflossing" -"Coupon Redemption","Waardebon Inleveren" -"Reward Voucher Redemption","Beloning Voucher Aflossing" -"General. Product no longer supported","Algemeen. Product niet langer ondersteund" -"General: reversal of a type not belonging to the other T11xx categories","Algemeen: omkering van een type dat niet behoort tot de andere T11xx categorieën" -"ACH Withdrawal","ACH Opname" -"Debit Card Transaction","Debetkaart Transactie" -"Reversal of Points Usage","Omzetting van Puntengebruik" -"ACH Deposit (Reversal)","ACH Storting (Herroeping)" -"Reversal of General Account Hold","Omzetting van Algemene Rekening Houder" -"Account-to-Account Payment, initiated by PayPal","Account-naar-Account Betaling, gestart door PayPal" -"Payment Refund initiated by merchant","Betalingsterugstorting gestart door handelaar" -"Fee Reversal","Omkeren kosten" -"Hold for Dispute Investigation","Wacht op Onderzoek naar Geschil" -"Reversal of hold for Dispute Investigation","Aanpassing van houder voor onderzoek naar dispuut" -"General: adjustment of a type not belonging to the other T12xx categories","Algemeen: aanpassing van een type dat niet behoort tot de andere T12xx categorieën" -Reversal,Omzetting -Charge-off,Afschrijving -Incentive,Prikkel -"Reimbursement of Chargeback","Vergoeding van een terugboeking" -"General (Authorization)","Algemeen (Machtiging)" -Reauthorization,"Nieuwe autorisatie" -Void,Geldig -"General (Dividend)","Algemeen (Dividend)" -"General: temporary hold of a type not belonging to the other T15xx categories","Algemeen: tijdelijke blokkering van een type dat niet behoort tot de andere T15xx categorieën" -"Open Authorization","Open authorisatie" -"ACH Deposit (Hold for Dispute or Other Investigation)","ACH Storting (Wordt gehouden ingeval van dispuut of een ander onderzoek)" -"Available Balance","Beschikbaar Balans" -Funding,Financiering -"General: Withdrawal to Non-Bank Entity","Algemeen: Opname naar Niet-Bancaire Entiteit" -"WorldLink Withdrawal","WorldLink Opname" -"Buyer Credit Payment","Koper krediet betaling" -"General Adjustment without businessrelated event","Algemene Aanpassing zonder zakengerelateerde gebeurtenis" -"General (Funds Transfer from PayPal Account to Another)","Algemeen (Geldmiddelen Overplaatsen van een PayPal Account naar een Andere)" -"Settlement Consolidation","Overeenkomst consolidatie" -"General: event not yet categorized","Algemeen: gebeurtenis nog niet gecategoriseerd" -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days","Iedere 3 dagen" -"Every 7 days","Iedere 7 dagen" -"Every 10 days","Iedere 10 dagen" -"Every 14 days","Iedere 14 dagen" -"Every 30 days","Iedere 30 dagen" -"Every 40 days","Iedere 40 dagen" -"No Logo","Geen Logo" -"Pending PayPal","In afwachting van PayPal" -"Billing Agreement",Factuurovereenkomst -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- Selecteer a.u.b. rekeningovereenkomst --" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements","Terug naar Factureringsovereenkomsten" -"There are no billing agreements yet.","Er zijn nog geen facturatieovereenkomsten." -"New Billing Agreement","Nieuwe factuurovereenkomst" -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order","Overzicht van de bestelling" -"Please select a shipping method...","Selecteer een methode van verzending..." -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart","Artikelen in Uw Winkelwagen" -"Edit Shopping Cart","Bewerken winkelmandje" -"Please update order data to get shipping methods and rates","Update alstublieft de bestellings gegevens om verzendings methodes en tarieven te krijgen" -"Checkout with PayPal","Checkout met PayPal" -"Please do not refresh the page until you complete payment.","Ververs alstublieft niet de pagina totdat de betaling is voltooid." -"You will be required to enter your payment details after you place an order.","U zult uw betalingsdetails moeten invoeren na het plaatsen van een bestelling." -"Additional Options","Meer Opties" -"Acceptance Mark","Acceptatie Stempel" -"What is PayPal?","Wat is PayPal?" -"Sign a billing agreement to streamline further purchases with PayPal.","Teken een betaalovereenkomst om toekomstige aankopen met PayPal te stroomlijnen." -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Paypal/i18n/pt_BR.csv b/app/code/Magento/Paypal/i18n/pt_BR.csv deleted file mode 100644 index 22bccf0d19376..0000000000000 --- a/app/code/Magento/Paypal/i18n/pt_BR.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,Personalizado -Close,Close -Cancel,Cancel -Back,Back -Price,Preço -ID,ID -Configure,Configure -No,Não -Qty,Qty -Subtotal,Subtotal -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,Sim -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,Pedido -View,Ver -Active,Active -Position,Position -Dynamic,Dinâmico -N/A,Indisponível -Canceled,Canceled -"General Information","General Information" -Static,Estático -"Advanced Settings","Advanced Settings" -"Learn More","Saiba Mais" -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability","Responsabilidade do Comerciante" -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method","Tipo de Frete" -"Please agree to all the terms and conditions before placing the order.","Por favor concorde com todos os Termos e Condições antes de colocar a ordem." -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address","Endereço de Envio" -"Payment Method","Payment Method" -"Place Order","Colocar Ordem" -"Sorry, no quotes are available for this order at this time.","Desculpe, não há citações disponíveis neste momento para esta ordem." -Sales,Vendas -Created,Created -Display,Display -User,User -Daily,Diário -Date,Date -"Order Total","Order Total" -Never,Nunca -Updated,Updated -Reports,Relatórios -"Order Status","Order Status" -"View Order","View Order" -Event,Evento -"Please Select","Please Select" -"Submitting order information...","Enviando informações da ordem..." -Authorization,Autorização -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements","Contratos de faturamento" -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View","Visualização de Contrato de Faturamento" -"View Transaction Details","Visualizar Detalhes da Transação." -"Reference Information","Informação de Referência" -"Transaction Information","Informação da Transação" -"PayPal Fee Information","Informação de Taxa PayPal" -"PayPal Settlement Reports","Relatórios de Pagamento PayPal" -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates","Buscar Atualizações" -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,Ajuda -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo","Visualizar Demonstração" -"See terms","See terms" -"You will be redirected to the PayPal website.","Você será redirecionado para o site PayPal." -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.","Você será redirecionado para o site PayPal quando você colocar uma ordem." -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.","Você será redirecionado para a página do PayPal em alguns segundos." -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction","Visualizar Transação" -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.","Caixa Expresso e Ordem foram canceladas." -"Express Checkout has been canceled.","Caixa Expresso foi cancelada." -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.","Fechar Pedido com PayPal Express: Token não existe" -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.","Resposta PayPal não tem os campos obrigatórios." -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:","Não foi possível salvar Acordo de Cobrança:" -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)","Preferimos PayPal (150 x 60)" -"We prefer PayPal (150 X 40)","Preferimos PayPal (150 x 40)" -"Now accepting PayPal (150 X 60)","Aceitando agora PayPal (150 X 60)" -"Now accepting PayPal (150 X 40)","Aceitando agora PayPal (150 X 40)" -"Payments by PayPal (150 X 60)","Pagamentos por PayPal (150 x 60)" -"Payments by PayPal (150 X 40)","Pagamentos por PayPal (150 x 40)" -"Shop now using (150 X 60)","Compre agora usando (150 X 60)" -"Shop now using (150 X 40)","Compre agora usando (150 X 40)" -Shortcut,Atalho -"Acceptance Mark Image","Imagem de Marca de Aceitação" -Sale,Venda -"For Virtual Quotes Only","Somente para Orçamentos Virtuais" -Auto,Auto -"Ask Customer","Pergunte ao cliente" -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature","Assinatura API" -"API Certificate","Certificado API" -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.","O número máximo de autorizações de criança foi atingido." -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.","O pagante não está identificado." -"Last Transaction ID","ID da Última Transação" -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.","O pagamento está autorizado, mas não liquidado." -"The payment eCheck is not yet cleared.","O pagamento eCheck ainda não está clarificado." -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.","O pagamento está pendente enquanto ele está sendo revisado para o risco por PayPal." -"The payment is pending because it was made to an email address that is not yet registered or confirmed.","O pagamento está pendente porque foi feito para um endereço de e-mail que ainda não está registrado ou confirmado." -"The merchant account is not yet verified.","A conta de comerciante ainda não foi confirmada." -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.","O pagamento foi feito via cartão de crédito. A fim de receber fundos o comerciante deve atualizar sua conta para status Business ou Premier." -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.","Reversão de um ajustamento." -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.","Reembolso de uma cobrança retroativa." -"Settlement of a chargeback.","Liquidação de um estorno." -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.","Motivo desconhecido. Favor contactar o atendimento a clientes do PayPal." -"Payer ID","Identificação do Pagante" -"Payer Email","E-mail do Pagante" -"Payer Status","Estado Atual do Pagante" -"Payer Address ID","Identificação do Endereço do Pagante" -"Payer Address Status","Estado Atual do Endereço do Pagante" -"Merchant Protection Eligibility","Elegibilidade de Proteção do Comerciante" -"Triggered Fraud Filters","Desencadeados Filtros de Fraude" -"Last Correlation ID","ID da Última Correlação" -"Address Verification System Response","Resposta de Sistema de Verificação de Endereço" -"CVV2 Check Result by PayPal","CVV2: Verificar Resultado pelo PayPal" -"Buyer's Tax ID","CPF do Comprador" -"Buyer's Tax ID Type","Tipo de CPF/CNPJ do Comprador" -Chargeback,Estorno -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)","Apenas Endereço Correspondido (sem ZIP)" -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched","Nenhuns Detalhes correspondem" -"No Details matched. International","Nenhuns Detalhes correspondem. Internacional" -"Exact Match. Address and nine-digit ZIP code","Correspondência exata. Endereço e código postal CEP de nove dígitos" -"Exact Match. Address and Postal Code. International","Correspondência exata. Endereço e CEP. Internacional" -"Exact Match. Address and Postal Code. UK-specific","Correspondência exata. Endereço e CEP. Específicas do Reino Unido" -"N/A. Not allowed for MOTO (Internet/Phone) transactions","N/A. Não permitido para transações MOTO (Internet/Telefone)" -"N/A. Global Unavailable","N/A. Global Não Disponível" -"N/A. International Unavailable","N/A. Internacional Não Disponível" -"Matched five-digit ZIP only (no Address)","Apenas ZIP de cinco dígitos correspondido (sem Endereço)" -"Matched Postal Code only (no Address)","Apenas Código Postal Correspondido (sem Endereço)" -"N/A. Retry","N/A. Tentar novamente" -"N/A. Service not Supported","N/A. Serviço não Suportado" -"N/A. Unavailable","N/A. Indisponível" -"Matched whole nine-didgit ZIP (no Address)","ZIP total de nove dígitos correspondido (sem Endereço)" -"Yes. Matched Address and five-didgit ZIP","Sim. Endereço Correspondente e ZIP de cinco dígitos" -"All the address information matched","Todas as informações do endereço correspondem" -"None of the address information matched","Nenhuma das informações de endereço corresponderam" -"Part of the address information matched","Parte das informações de endereço correspondeu" -"N/A. The merchant did not provide AVS information","N/A. O comerciante não forneceu informação AVS" -"N/A. Address not checked, or acquirer had no response. Service not available","N/A. Endereço não verificado, ou comprador sem resposta. Serviço não disponível" -"Matched (CVV2CSC)","Correspondido (CVV2CSC)" -"No match","Nenhuma correspondência" -"N/A. Not processed","N/A. Não processado" -"N/A. Service not supported","N/A. Serviço não suportado" -"N/A. Service not available","N/A. Serviço não disponível" -"N/A. No response","N/A. Sem resposta" -"Matched (CVV2)","Correspondido (CVV2)" -"N/A. The merchant has not implemented CVV2 code handling","N/A. O comerciante não implementou manipulação de código CVV2" -"N/A. Merchant has indicated that CVV2 is not present on card","N/A. Comerciante indicou que CVV2 não está presente no cartão" -"Authenticated, Good Result","Autenticado, Bom Resultado" -"Authenticated, Bad Result","Autenticado, Mau Resultado" -"Attempted Authentication, Good Result","Autenticação Tentada, Bom Resultado" -"Attempted Authentication, Bad Result","Autenticação Tentada, Mau Resultado" -"No Liability Shift","Nenhuma Mudança de Responsabilidade" -"Issuer Liability","Responsabilidade do Emissor" -CNPJ,"CNPJ (Cadastro Nacional de Pessoas Jurídicas)" -CPF,"CPF (Cadastro de Contribuintes Pessoas Físicas)" -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.","Transações de pagamento não permitem armazenar objetos." -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.","Esta operação requer um objeto existente de transação." -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date","Data do Relatório" -"Merchant Account","Conta do Comerciante" -"Transaction ID","ID da Transação" -"Invoice ID","ID da fatura" -"PayPal Reference ID","ID de Referência PayPal" -"PayPal Reference ID Type","Tipo de ID de Referência PayPal" -"Event Code","Código de Evento" -"Finish Date","Finish Date" -"Debit or Credit","Débito ou Crédito" -"Gross Amount","Valor Bruto" -"Fee Debit or Credit","Taxa de Débito ou de Crédito" -"Fee Amount","Valor da Taxa" -"Order ID","ID da Ordem" -"Subscription ID","ID de Subscrição" -"Preapproved Payment ID","ID do Pagamento Pré-aprovado" -Credit,Crédito -Debit,Débito -"General: received payment of a type not belonging to the other T00xx categories","Geral: pagamento recebido de um tipo que não pertence às outras categorias T00xx" -"Mass Pay Payment","Pagamento de Pagamento em Massa" -"Subscription Payment, either payment sent or payment received","Pagamento de Subscrição, ou de pagamento enviado ou pagamento recebido" -"Preapproved Payment (BillUser API), either sent or received","Pagamento Pré-aprovado (BillUser API), quer enviado ou recebido" -"eBay Auction Payment","Pagamento do Leilão eBay" -"Direct Payment API","API de Pagamento Direto" -"Express Checkout APIs","APIs Caixa Expresso" -"Website Payments Standard Payment","Pagamento de Pagamentos de Site Padrão" -"Postage Payment to either USPS or UPS","Pagamento de Porte quer para USPS ou UPS" -"Gift Certificate Payment: purchase of Gift Certificate","Pagamento de Vale Oferta: compra de Vale Oferta" -"Auction Payment other than through eBay","Pagamento de Leilão que não seja através de eBay" -"Mobile Payment (made via a mobile phone)","Pagamento Móvel (feito através de um celular)" -"Virtual Terminal Payment","Pagamento via Terminal Virtual" -"General: non-payment fee of a type not belonging to the other T01xx categories","Geral: taxa de não-pagamento de um tipo que não pertence às outras categorias T01xx" -"Fee: Web Site Payments Pro Account Monthly","Taxa: Conta Pro de Pagamentos de Web Site Mensal" -"Fee: Foreign ACH Withdrawal","Taxa: Retirada ACH Exterior" -"Fee: WorldLink Check Withdrawal","Taxa: Levantamento Verificado WorldLink" -"Fee: Mass Pay Request","Taxa: Pedido de Pagamento em Massa" -"General Currency Conversion","Conversão de Moeda em Geral" -"User-initiated Currency Conversion","Conversão de Moeda por Iniciativa do Usuário" -"Currency Conversion required to cover negative balance","Necessária a Conversão de Moeda para cobrir saldo negativo" -"General Funding of PayPal Account ","Financiamento Geral de Conta PayPal" -"PayPal Balance Manager function of PayPal account","Função PayPal de Gerente de Saldo da conta PayPal" -"ACH Funding for Funds Recovery from Account Balance","Financiamento ACH para Recuperação de Fundos de Saldo da Conta" -"EFT Funding (German banking)","Financiamento com transação eletrônica (banco alemão)" -"General Withdrawal from PayPal Account","Levantamento Geral a partir da Conta PayPal" -AutoSweep,AutoVarredura -"General: Use of PayPal account for purchasing as well as receiving payments","Geral: Uso de conta PayPal para a compra bem como para receber pagamentos" -"Virtual PayPal Debit Card Transaction","Transação via Cartão de Débito Virtual PayPal" -"PayPal Debit Card Withdrawal from ATM","Levantamento de ATM com Cartão de Débito PayPal" -"Hidden Virtual PayPal Debit Card Transaction","Transação Virtual Escondida com Cartão de Débito PayPal" -"PayPal Debit Card Cash Advance","Adiantamento de Dinheiro com Cartão de Débito PayPal" -"General: Withdrawal from PayPal Account","Geral: Levantamento a partir da Conta PayPal" -"General (Purchase with a credit card)","Geral (Compra com Cartão de Crédito)" -"Negative Balance","Balanço Negativo" -"General: bonus of a type not belonging to the other T08xx categories","Geral: bônus de um tipo que não pertence às outras categorias T08xx" -"Debit Card Cash Back","Desconto em Uso de Cartão de Débito" -"Merchant Referral Bonus","Bónus de Comerciante" -"Balance Manager Account Bonus","Conta de Gerente Bônus de Balanço" -"PayPal Buyer Warranty Bonus","Garantia Bonus de Comprador PayPal" -"PayPal Protection Bonus","Bônus de Proteção PayPal" -"Bonus for first ACH Use","Bônus pelo primeiro uso do ACH" -"General Redemption","Redenção Geral" -"Gift Certificate Redemption","Redenção de Vale Oferta" -"Points Incentive Redemption","Redenção de Pontos de Incentivo" -"Coupon Redemption","Resgate de Cupom" -"Reward Voucher Redemption","Resgate de Voucher de Recompensa" -"General. Product no longer supported","Geral. Produto não é mais suportado" -"General: reversal of a type not belonging to the other T11xx categories","Geral: reversão de um tipo que não pertence às outras categorias T11xx" -"ACH Withdrawal","Levantamento ACH" -"Debit Card Transaction","Transação em Cartão de Débito" -"Reversal of Points Usage","Reversão de Pontos de Uso" -"ACH Deposit (Reversal)","Depósito ACH (Reverso)" -"Reversal of General Account Hold","Reversão do Domínio da Conta Geral" -"Account-to-Account Payment, initiated by PayPal","Pagamento Conta para Conta, iniciado por PayPal" -"Payment Refund initiated by merchant","Reembolso de Pagamento por iniciativa do Comerciante" -"Fee Reversal","Reversão de Taxa" -"Hold for Dispute Investigation","Espere por Investigação de Disputa" -"Reversal of hold for Dispute Investigation","Reversão de espera por Disputa de Investigação" -"General: adjustment of a type not belonging to the other T12xx categories","Geral: ajuste de um tipo que não pertence às outras categorias T12xx" -Reversal,Reversão -Charge-off,"Baixa contábil" -Incentive,Incentivo -"Reimbursement of Chargeback","Reembolso de Cobrança Retroativa." -"General (Authorization)","Geral (Autorização)" -Reauthorization,Reautorização -Void,Anular -"General (Dividend)","Geral (Dividendo)" -"General: temporary hold of a type not belonging to the other T15xx categories","Geral: retenção temporária de um tipo que não pertence às outras categorias T15xx" -"Open Authorization","Autorização Aberta" -"ACH Deposit (Hold for Dispute or Other Investigation)","Depósito ACH (Apoio para Disputa ou Outra Investigação)" -"Available Balance","Saldo Disponível" -Funding,Financiamento -"General: Withdrawal to Non-Bank Entity","Geral: Levantamento de Entidade Não-Bancária" -"WorldLink Withdrawal","Levantamento WorldLink" -"Buyer Credit Payment","Pagamento de Crédito do Comprador" -"General Adjustment without businessrelated event","Ajuste Geral sem evento de negócios relacionado" -"General (Funds Transfer from PayPal Account to Another)","Geral (Transferência de Fundos da Conta PayPal para Outra)" -"Settlement Consolidation","Consolidação de liquidação" -"General: event not yet categorized","Geral: evento ainda não classificado" -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days","A cada 3 dias" -"Every 7 days","A cada 7 dias" -"Every 10 days","A cada 10 dias" -"Every 14 days","A cada 14 dias" -"Every 30 days","A cada 30 dias" -"Every 40 days","A cada 40 dias" -"No Logo","Nenhum Logo" -"Pending PayPal","Pendência com PayPal" -"Billing Agreement","Contrato de faturamento" -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- Por Favor, Escolha o Acordo de Cobrança--" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements","Voltar para Contratos de Faturamento" -"There are no billing agreements yet.","Ainda não existem acordos de faturamento." -"New Billing Agreement","Novo Contrato de Faturamento" -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order","Analisar o pedido" -"Please select a shipping method...","Por favor selecione um método de envio..." -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart","Itens em seu carrinho de compras" -"Edit Shopping Cart","Editar Carrinho de Compras" -"Please update order data to get shipping methods and rates","Por favor atualize os dados do pedido para ver as formas de envio e tarifas" -"Checkout with PayPal","Fechar Pedido com o PayPal" -"Please do not refresh the page until you complete payment.","Por favor não atualize a página até concluir o pagamento." -"You will be required to enter your payment details after you place an order.","Você será obrigado a inserir seus detalhes de pagamento depois de colocar uma ordem." -"Additional Options","Opções Adicionais" -"Acceptance Mark","Marca de Aceitação" -"What is PayPal?","O que é o PayPal?" -"Sign a billing agreement to streamline further purchases with PayPal.","Assine um acordo de faturamento para agilizar ainda mais as compras com o PayPal." -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv b/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv deleted file mode 100644 index 3533b127b1023..0000000000000 --- a/app/code/Magento/Paypal/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,689 +0,0 @@ -Custom,自定义 -Close,Close -Cancel,Cancel -Back,Back -Price,价格 -ID,ID -Configure,Configure -No,否 -Qty,Qty -Subtotal,小计 -"Incl. Tax","Incl. Tax" -Edit,Edit -"--Please Select--","--Please Select--" -Customer,Customer -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"-- Please Select --","-- Please Select --" -Yes,是 -Status,Status -Enabled,Enabled -"Sort Order","Sort Order" -Title,Title -"Are you sure you want to do this?","Are you sure you want to do this?" -Order,订单 -View,查看 -Active,Active -Position,Position -Dynamic,动态 -N/A,N/A -Canceled,Canceled -"General Information","General Information" -Static,静态 -"Advanced Settings","Advanced Settings" -"Learn More",了解更多 -"Start Date","Start Date" -"Product Name","Product Name" -"3D Secure Card Validation","3D Secure Card Validation" -"Merchant Liability",商家责任 -"Billing Information","Billing Information" -"Shipping Information","Shipping Information" -"Shipping Method",运送方式 -"Please agree to all the terms and conditions before placing the order.",请在下订单前同意所有的条款和条件。 -"Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here.","Account confirmation is required. Please, check your e-mail for confirmation link. To resend confirmation email please click here." -Password,Password -Continue,Continue -"Order #","Order #" -Login,Login -"Shipping Address",送货地址 -"Payment Method","Payment Method" -"Place Order",下订单 -"Sorry, no quotes are available for this order at this time.",抱歉,当前该订单中没有报价可用。 -Sales,销售 -Created,Created -Display,Display -User,User -Daily,每天 -Date,Date -"Order Total","Order Total" -Never,永不 -Updated,Updated -Reports,报告 -"Order Status","Order Status" -"View Order","View Order" -Event,事件 -"Please Select","Please Select" -"Submitting order information...",正在提交订单信息... -Authorization,授权 -"You notified customer about invoice #%1.","You notified customer about invoice #%1." -"Note: %1","Note: %1" -"IPN ""%1""","IPN ""%1""" -"Billing Agreements",记账协议 -"Reference ID","Reference ID" -"Billing Agreement # ","Billing Agreement # " -"Related Orders","Related Orders" -"Billing Agreement View",记账协议视图 -"View Transaction Details",查看交易详情 -"Reference Information",参考信息 -"Transaction Information",交易信息 -"PayPal Fee Information",PayPal费用信息 -"PayPal Settlement Reports",PayPal处理报告 -"We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?","We are connecting to the PayPal SFTP server to retrieve new reports. Are you sure you want to continue?" -"Fetch Updates",获取更新 -button_label,button_label -sandbox_button_label,sandbox_button_label -Help,帮助 -"There is already another PayPal solution enabled. Enable this solution instead?","There is already another PayPal solution enabled. Enable this solution instead?" -"The following error(s) occured:","The following error(s) occured:" -"Some PayPal solutions conflict.","Some PayPal solutions conflict." -"PayPal Express Checkout is not enabled.","PayPal Express Checkout is not enabled." -"Please re-enable the previously enabled payment solutions.","Please re-enable the previously enabled payment solutions." -"View Demo",查看演示 -"See terms","See terms" -"You will be redirected to the PayPal website.",您将被重定向到PayPal网站。 -"Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?","Would you like to sign a billing agreement ' 'to streamline further purchases with PayPal?" -"You will be redirected to the PayPal website when you place an order.",在您下单时,您会被重定向到PayPal网站。 -"Click here if you are not redirected within 10 seconds.","Click here if you are not redirected within 10 seconds." -"You will be redirected to the PayPal website in a few seconds.",几秒钟后,您将被重定向到PayPal网站。 -"You canceled the billing agreement.","You canceled the billing agreement." -"We could not cancel the billing agreement.","We could not cancel the billing agreement." -"You deleted the billing agreement.","You deleted the billing agreement." -"We could not delete the billing agreement.","We could not delete the billing agreement." -"Please specify the correct billing agreement ID and try again.","Please specify the correct billing agreement ID and try again." -"View Transaction",查看交易 -"We found nothing to fetch because of an empty configuration.","We found nothing to fetch because of an empty configuration." -"We fetched %1 report rows from '%2@%3'.","We fetched %1 report rows from '%2@%3'." -"We couldn't fetch reports from '%1@%2'.","We couldn't fetch reports from '%1@%2'." -"We couldn't start the billing agreement wizard.","We couldn't start the billing agreement wizard." -"The billing agreement ""%1"" has been created.","The billing agreement ""%1"" has been created." -"We couldn't finish the billing agreement wizard.","We couldn't finish the billing agreement wizard." -"The billing agreement ""%1"" has been canceled.","The billing agreement ""%1"" has been canceled." -"We couldn't cancel the billing agreement.","We couldn't cancel the billing agreement." -"To proceed to Checkout, please log in using your email address.","To proceed to Checkout, please log in using your email address." -"We can't start Express Checkout.","We can't start Express Checkout." -"Express Checkout and Order have been canceled.",快速结账且订单已取消。 -"Express Checkout has been canceled.",快速结账已被取消。 -"Unable to cancel Express Checkout","Unable to cancel Express Checkout" -"We can't process Express Checkout approval.","We can't process Express Checkout approval." -"We can't initialize Express Checkout review.","We can't initialize Express Checkout review." -"We can't update shipping method.","We can't update shipping method." -"We can't place the order.","We can't place the order." -"We can't initialize Express Checkout.","We can't initialize Express Checkout." -"PayPal Express Checkout Token does not exist.",PayPal快速结账令牌不存在。 -"A wrong PayPal Express Checkout Token is specified.","A wrong PayPal Express Checkout Token is specified." -"Your payment has been declined. Please try again.","Your payment has been declined. Please try again." -"We can't contact the PayPal gateway.","We can't contact the PayPal gateway." -"PayPal response hasn't required fields.",PayPal的响应缺少必须字段。 -"Something went wrong while processing your order.","Something went wrong while processing your order." -"PayPal gateway has rejected request. %1","PayPal gateway has rejected request. %1" -"PayPal gateway rejected the request. %1","PayPal gateway rejected the request. %1" -"I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you.","I'm sorry - but we were not able to process your payment. Please try another payment method or contact us so we can assist you." -"I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you.","I'm sorry - but we are not able to complete your transaction. Please contact us so we can assist you." -"The payment method code is not set.","The payment method code is not set." -"The reference ID is not set.","The reference ID is not set." -"Unable to save Billing Agreement:",无法保存记账协议: -"The customer ID is not set.","The customer ID is not set." -"The Billing Agreement status is not set.","The Billing Agreement status is not set." -"The PayPal certificate does not exist.","The PayPal certificate does not exist." -"We prefer PayPal (150 X 60)",我们喜欢PayPal(150X60) -"We prefer PayPal (150 X 40)",我们喜欢PayPal(150X40) -"Now accepting PayPal (150 X 60)",现在接受PayPal(150X60) -"Now accepting PayPal (150 X 40)",现在接受PayPal(150X40) -"Payments by PayPal (150 X 60)",用PayPal付款(150X60) -"Payments by PayPal (150 X 40)",用PayPal付款(150X40) -"Shop now using (150 X 60)",立刻购物并使用(150X60) -"Shop now using (150 X 40)",立刻购物并使用(150X40) -Shortcut,快捷方式 -"Acceptance Mark Image",接受标志图片 -Sale,销售 -"For Virtual Quotes Only",仅用于虚拟产品 -Auto,自动 -"Ask Customer",询问顾客 -"IPN (Instant Payment Notification) Only","IPN (Instant Payment Notification) Only" -"API Signature",API签名 -"API Certificate",API证书 -"The ordering amount of %1 is pending approval on the payment gateway.","The ordering amount of %1 is pending approval on the payment gateway." -"Ordered amount of %1","Ordered amount of %1" -"We'll authorize the amount of %1 as soon as the payment gateway approves it.","We'll authorize the amount of %1 as soon as the payment gateway approves it." -"The authorized amount is %1.","The authorized amount is %1." -"The maximum number of child authorizations is reached.",授权子帐户的最大数量已达到。 -"PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process.","PayPal can't process orders with a zero balance due. ' 'To finish your purchase, please go through the standard checkout process." -"Payer is not identified.",付款者未经检定。 -"Last Transaction ID",最新交易ID -"This customer did not include a confirmed address.","This customer did not include a confirmed address." -"The payment is authorized but not settled.",支付已获授权但尚未确定。 -"The payment eCheck is not yet cleared.",支付的电子支票尚未兑现。 -"The merchant holds a non-U.S. account and does not have a withdrawal mechanism.","The merchant holds a non-U.S. account and does not have a withdrawal mechanism." -"The payment currency does not match any of the merchant's balances currency.","The payment currency does not match any of the merchant's balances currency." -"The payment is pending while it is being reviewed by PayPal for risk.",支付被挂起,因为正在由PayPal进行风险评估。 -"The payment is pending because it was made to an email address that is not yet registered or confirmed.",支付被挂起,因为支付使用了一个未经确认的电子邮件地址。 -"The merchant account is not yet verified.",银行帐户尚未验证。 -"The payment was made via credit card. In order to receive funds merchant must upgrade account to Business or Premier status.",支付是通过信用卡进行的。为了收到资金,银行必须将帐户升级为商业或白金状态。 -"Sorry, but something went wrong. Please contact PayPal customer service.","Sorry, but something went wrong. Please contact PayPal customer service." -"A reversal has occurred on this transaction due to a chargeback by your customer.","A reversal has occurred on this transaction due to a chargeback by your customer." -"A reversal has occurred on this transaction due to your customer triggering a money-back guarantee.","A reversal has occurred on this transaction due to your customer triggering a money-back guarantee." -"A reversal has occurred on this transaction due to a complaint about the transaction from your customer.","A reversal has occurred on this transaction due to a complaint about the transaction from your customer." -"A reversal has occurred on this transaction because you have given the customer a refund.","A reversal has occurred on this transaction because you have given the customer a refund." -"Reversal of an adjustment.",调整撤销 -"Transaction reversal due to fraud detected by PayPal administrators.","Transaction reversal due to fraud detected by PayPal administrators." -"Transaction reversal by PayPal administrators.","Transaction reversal by PayPal administrators." -"Reimbursement for a chargeback.",偿还退款。 -"Settlement of a chargeback.",处理返款。 -"A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof.","A reversal has occurred on this transaction because of a customer dispute suspecting unauthorized spoof." -"Buyer claims that he did not receive goods or service.","Buyer claims that he did not receive goods or service." -"Buyer claims that the goods or service received differ from merchant’s description of the goods or service.","Buyer claims that the goods or service received differ from merchant’s description of the goods or service." -"Buyer claims that he/she did not authorize transaction.","Buyer claims that he/she did not authorize transaction." -"A case that has been resolved and close requires a reimbursement.","A case that has been resolved and close requires a reimbursement." -"Buyer claims that a possible duplicate payment was made to the merchant.","Buyer claims that a possible duplicate payment was made to the merchant." -"Buyer claims that the received merchandise is unsatisfactory, defective, or damaged.","Buyer claims that the received merchandise is unsatisfactory, defective, or damaged." -"Unknown reason. Please contact PayPal customer service.",未知原因。请联系PayPal客户服务。 -"Payer ID",付款者ID -"Payer Email",付款者邮件地址 -"Payer Status",付款者状态 -"Payer Address ID",付款者地址ID -"Payer Address Status",付款者地址状态 -"Merchant Protection Eligibility",银行保护的资格 -"Triggered Fraud Filters",触发的欺诈筛选器 -"Last Correlation ID",最新关联ID -"Address Verification System Response",地址验证系统响应 -"CVV2 Check Result by PayPal",PayPal的CVV2检查结果 -"Buyer's Tax ID","买家的纳税人 ID" -"Buyer's Tax ID Type","买家的纳税人 ID 类型" -Chargeback,退款 -Complaint,Complaint -Dispute,Dispute -"Matched Address only (no ZIP)",只匹配地址(无邮编) -"Matched Address only (no ZIP) International","Matched Address only (no ZIP) International" -"No Details matched",无匹配资料 -"No Details matched. International",无匹配资料。国际化 -"Exact Match. Address and nine-digit ZIP code",完全匹配,地址和九位邮编 -"Exact Match. Address and Postal Code. International",完全匹配。地址和邮编。国际 -"Exact Match. Address and Postal Code. UK-specific",完全匹配。地址和邮编。仅限英国 -"N/A. Not allowed for MOTO (Internet/Phone) transactions","N/A. 不允许MOTO(网络,手机厂商)交易" -"N/A. Global Unavailable",N/A.全球不可用 -"N/A. International Unavailable","N/A. 国际不可用" -"Matched five-digit ZIP only (no Address)",只匹配五位邮编(无地址) -"Matched Postal Code only (no Address)",只匹配邮编(无地址) -"N/A. Retry","N/A. 重试" -"N/A. Service not Supported","N/A. 不支持的服务" -"N/A. Unavailable","N/A. 不可用" -"Matched whole nine-didgit ZIP (no Address)",只匹配九位邮编(无地址) -"Yes. Matched Address and five-didgit ZIP",是的,匹配地址与五位邮编 -"All the address information matched",所有地址信息都匹配 -"None of the address information matched",无匹配地址信息 -"Part of the address information matched",地址信息中部分匹配 -"N/A. The merchant did not provide AVS information","N/A. 商家未提供AVS信息。" -"N/A. Address not checked, or acquirer had no response. Service not available",N/A。地址未检查,或对方行未响应。服务不可用 -"Matched (CVV2CSC)",匹配(CVV2CSC) -"No match",无匹配结果 -"N/A. Not processed","N/A. 未处理" -"N/A. Service not supported",N/A。服务不支持 -"N/A. Service not available","N/A. 服务不可用" -"N/A. No response","N/A. 没有响应" -"Matched (CVV2)",匹配(CVV2) -"N/A. The merchant has not implemented CVV2 code handling","N/A. 商家未完成CVV2码的处理" -"N/A. Merchant has indicated that CVV2 is not present on card","N/A. 商家指出信用卡缺少CVV2码" -"Authenticated, Good Result",已身份验证,结果正常 -"Authenticated, Bad Result",已身份验证,结果有误 -"Attempted Authentication, Good Result",尝试身份验证,结果正常 -"Attempted Authentication, Bad Result",尝试身份验证,结果有误 -"No Liability Shift",无责任转移 -"Issuer Liability",发卡人责任 -CNPJ,CNPJ -CPF,CPF -"IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4","IPN ""%1"". Case type ""%2"". Case ID ""%3"" %4" -"IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3.","IPN ""%1"". A dispute has been resolved and closed. %2 Transaction amount %3." -"IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""","IPN ""%1"". %2 Transaction amount %3. Transaction ID: ""%4""" -"You notified customer about creditmemo #%1.","You notified customer about creditmemo #%1." -"Created billing agreement #%1.","Created billing agreement #%1." -"We couldn't create a billing agreement for this order.","We couldn't create a billing agreement for this order." -"Payflow PNREF: #%1.","Payflow PNREF: #%1." -"Fetch transaction details method does not exists in Payflow","Fetch transaction details method does not exists in Payflow" -"We cannot send the new order email.","We cannot send the new order email." -"You cannot void a verification transaction.","You cannot void a verification transaction." -"Payment transactions disallow storing objects.",支付交易不允许的店铺对象。 -"You need to enter a transaction ID.","You need to enter a transaction ID." -"This operation requires an existing transaction object.",该操作需要一个现有的交易目标。 -"You need an authorization transaction to void.","You need an authorization transaction to void." -"We can't issue a refund transaction because there is no capture transaction.","We can't issue a refund transaction because there is no capture transaction." -"We cannot create a target file for reading reports.","We cannot create a target file for reading reports." -"Report Date",报告日期 -"Merchant Account",银行帐户 -"Transaction ID",交易ID -"Invoice ID",发票ID -"PayPal Reference ID",PayPal推荐ID -"PayPal Reference ID Type",PayPal推荐ID类型 -"Event Code",事件代码 -"Finish Date","Finish Date" -"Debit or Credit",借记卡或信用卡 -"Gross Amount",总额 -"Fee Debit or Credit",借记卡或信用卡费用 -"Fee Amount",费率 -"Order ID","订单 ID" -"Subscription ID",订阅ID -"Preapproved Payment ID",预审核的支付ID -Credit,信用 -Debit,借记 -"General: received payment of a type not belonging to the other T00xx categories",常规:一种不属于其他T00xx分类的支付收款 -"Mass Pay Payment",大量付款支付。 -"Subscription Payment, either payment sent or payment received",订阅支付,可通过发出或收到的付款进行 -"Preapproved Payment (BillUser API), either sent or received","预审核接收或发送的支付(BillUser API)" -"eBay Auction Payment",eBay拍卖付款 -"Direct Payment API",直接支付API -"Express Checkout APIs",快速结账API -"Website Payments Standard Payment",网站支付标准版付款 -"Postage Payment to either USPS or UPS",USPS或UPS的运费 -"Gift Certificate Payment: purchase of Gift Certificate",礼品券支付:购买礼品券 -"Auction Payment other than through eBay",eBay之外的其他拍卖支付 -"Mobile Payment (made via a mobile phone)",移动支付(通过手机进行) -"Virtual Terminal Payment",虚拟终端支付 -"General: non-payment fee of a type not belonging to the other T01xx categories",常规:一种不属于其他T01xx分类的非支付费用 -"Fee: Web Site Payments Pro Account Monthly",费用:专业帐户月度网站支付 -"Fee: Foreign ACH Withdrawal",费用:外国ACH撤销 -"Fee: WorldLink Check Withdrawal",费用:WorldLink支票撤销 -"Fee: Mass Pay Request",费用:批量付款请求 -"General Currency Conversion",常规货币转换 -"User-initiated Currency Conversion",用户发起的货币转换 -"Currency Conversion required to cover negative balance",货币转换需要考虑余额负值 -"General Funding of PayPal Account ",PayPal帐户的常规退款 -"PayPal Balance Manager function of PayPal account",PayPal帐户的PayPal余额管理器功能 -"ACH Funding for Funds Recovery from Account Balance",来自帐户余额的返款恢复ACH返款 -"EFT Funding (German banking)",EFT返款(德国银行) -"General Withdrawal from PayPal Account",来自PayPal帐户的常规撤销 -AutoSweep,自动清理 -"General: Use of PayPal account for purchasing as well as receiving payments",常规:使用PayPal帐户进行付款以及收款 -"Virtual PayPal Debit Card Transaction",虚拟PayPal借记卡交易 -"PayPal Debit Card Withdrawal from ATM",从ATM进行PayPal借记卡撤销 -"Hidden Virtual PayPal Debit Card Transaction",隐藏虚拟PayPal借记卡交易 -"PayPal Debit Card Cash Advance",PayPal借记卡预付现金 -"General: Withdrawal from PayPal Account",常规:通过PayPal帐户撤销 -"General (Purchase with a credit card)",常规(使用信用卡购买) -"Negative Balance",逆差 -"General: bonus of a type not belonging to the other T08xx categories",常规:通过一种不再属于其他T08xx类型的奖励 -"Debit Card Cash Back",借记卡返现 -"Merchant Referral Bonus",银行推荐奖励 -"Balance Manager Account Bonus",余额管理器帐户点数 -"PayPal Buyer Warranty Bonus",PayPal买家担保津贴 -"PayPal Protection Bonus",PayPal保护津贴 -"Bonus for first ACH Use",首次使用ACH奖励 -"General Redemption",常规兑换 -"Gift Certificate Redemption",礼品券兑换 -"Points Incentive Redemption",兑换奖励点 -"Coupon Redemption",代金券兑换 -"Reward Voucher Redemption",奖励兑换 -"General. Product no longer supported",常规。产品不在被支持 -"General: reversal of a type not belonging to the other T11xx categories",常规:不属于其他T11xx分类的保留类型 -"ACH Withdrawal",ACH撤销 -"Debit Card Transaction",借记卡交易 -"Reversal of Points Usage",点数使用情况撤销 -"ACH Deposit (Reversal)",ACH保证金(撤销) -"Reversal of General Account Hold",常规帐户保持的撤销 -"Account-to-Account Payment, initiated by PayPal",帐户到帐户支付,由PayPal开创 -"Payment Refund initiated by merchant",由商户发起的支付退款 -"Fee Reversal",撤销手续费 -"Hold for Dispute Investigation",保留做争议调查 -"Reversal of hold for Dispute Investigation",撤销保留的争议调查 -"General: adjustment of a type not belonging to the other T12xx categories",常规:调整为一种不再属于其他T12xx分类的类型 -Reversal,撤销 -Charge-off,收取 -Incentive,奖励 -"Reimbursement of Chargeback",退款的偿还 -"General (Authorization)",常规(身份验证) -Reauthorization,撤销授权 -Void,无效 -"General (Dividend)",常规(利息) -"General: temporary hold of a type not belonging to the other T15xx categories",常规:不属于其他T15xx分类的暂时保留类型 -"Open Authorization",开放授权 -"ACH Deposit (Hold for Dispute or Other Investigation)",ACH保证金(用作保证或其他调查用途) -"Available Balance",可用余额 -Funding,退款 -"General: Withdrawal to Non-Bank Entity",常规:通过非银行实体撤销 -"WorldLink Withdrawal",WorldLink撤销 -"Buyer Credit Payment",买家信用支付 -"General Adjustment without businessrelated event",与业务无关的常规调整 -"General (Funds Transfer from PayPal Account to Another)",常规(从一个PayPal帐户向另一个转移资金) -"Settlement Consolidation",合并处理 -"General: event not yet categorized",常规:事件尚未分类 -"The PayPal certificate file is empty.","The PayPal certificate file is empty." -"Header (center)","Header (center)" -"Sidebar (right)","Sidebar (right)" -"Near PayPal Credit checkout button","Near PayPal Credit checkout button" -"Every 3 days",每3天 -"Every 7 days",每7天 -"Every 10 days",每10天 -"Every 14 days",每14天 -"Every 30 days",每30天 -"Every 40 days",每40天 -"No Logo",没有标示 -"Pending PayPal",挂起的PayPal -"Billing Agreement",记账协议 -"Created At","Created At" -"Updated At","Updated At" -"-- Please Select Billing Agreement--","-- 请选择记账协议 --" -"Not sure what PayPal payment method to use? Click ","Not sure what PayPal payment method to use? Click " -"here","here" -" to learn more."," to learn more." -"Important: ","Important: " -"To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website.","To use PayPal Payments Advanced, you must configure your PayPal Payments Advanced account on the PayPal website." -"Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Advanced account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website.","To use PayPal Payflow Link, you must configure your PayPal Payflow Link account on the PayPal website." -"Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below","Once you log into your PayPal Payflow Link account, navigate to the Service Settings - Hosted Checkout Pages - Set Up menu and set the options described below" -"Agreement Information","Agreement Information" -"Reference ID:","Reference ID:" -Status:,Status: -Created:,Created: -Updated:,Updated: -"Payment Method:","Payment Method:" -"Ship To","Ship To" -"Back to Billing Agreements",返回记账协议 -"There are no billing agreements yet.",尚无记账协议。 -"New Billing Agreement",新建记账协议 -"You will be redirected to the payment system website.","You will be redirected to the payment system website." -Create...,Create... -"Your billing agreement # is: ","Your billing agreement # is: " -"Review Order",查看订单 -"Please select a shipping method...",请选择送货方法... -"Update Shipping Method","Update Shipping Method" -"Edit Payment Information","Edit Payment Information" -"Items in Your Shopping Cart",您购物车中的商品 -"Edit Shopping Cart",编辑购物车 -"Please update order data to get shipping methods and rates",请更新订单数据,获取配送方式和价格 -"Checkout with PayPal",使用PayPal结账 -"Please do not refresh the page until you complete payment.",请不要刷新该页面,直到付款完成。 -"You will be required to enter your payment details after you place an order.",下单后,您需要输入付款详情。 -"Additional Options",其他选项 -"Acceptance Mark",接受标志 -"What is PayPal?",什么是PayPal? -"Sign a billing agreement to streamline further purchases with PayPal.",与PayPal签署记账协议简化后续购买。 -Schedule,Schedule -Size,Size -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"Test Mode","Test Mode" -"Payment Action","Payment Action" -"3D Secure","3D Secure" -"Severe 3D Secure Card Validation","Severe 3D Secure Card Validation" -"Severe Validation Removes Chargeback Liability on Merchant","Severe Validation Removes Chargeback Liability on Merchant" -"Debug Mode","Debug Mode" -"Sandbox Mode","Sandbox Mode" -1,1 -"Merchant Location","Merchant Location" -"Merchant Country","Merchant Country" -"If not specified, Default Country from General Config will be used","If not specified, Default Country from General Config will be used" -"Website Payments Pro (Includes Express Checkout)","Website Payments Pro (Includes Express Checkout)" -"Accept payments with a completely customizable checkout.","Accept payments with a completely customizable checkout." -"Required PayPal Settings","Required PayPal Settings" -"Website Payments Pro and Express Checkout","Website Payments Pro and Express Checkout" -"Enable this Solution","Enable this Solution" -"Advertise PayPal Credit","Advertise PayPal Credit" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Home Page","Home Page" -"Catalog Category Page","Catalog Category Page" -"Catalog Product Page","Catalog Product Page" -"Checkout Cart Page","Checkout Cart Page" -"Basic Settings - PayPal Website Payments Pro","Basic Settings - PayPal Website Payments Pro" -"It is recommended to set this value to ""Debit or Credit Card"" per store views.","It is recommended to set this value to ""Debit or Credit Card"" per store views." -"Credit Card Settings","Credit Card Settings" -"Allowed Credit Card Types","Allowed Credit Card Types" -" - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - 3D Secure validation is required for Maestro cards. Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Payment Applicable From","Payment Applicable From" -"Countries Payment Applicable From","Countries Payment Applicable From" -"Enable SSL verification","Enable SSL verification" -"Transfer Cart Line Items","Transfer Cart Line Items" -"Require CVV Entry","Require CVV Entry" -"If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement.","If empty, a default value will be used. Custom URL may be provided by CardinalCommerce agreement." -"PayPal Billing Agreement Settings","PayPal Billing Agreement Settings" -"Settlement Report Settings","Settlement Report Settings" -"Frontend Experience Settings","Frontend Experience Settings" -"Basic Settings - PayPal Express Checkout","Basic Settings - PayPal Express Checkout" -"Website Payments Standard","Website Payments Standard" -"Accept credit card and PayPal payments securely.","Accept credit card and PayPal payments securely." -"Basic Settings - PayPal Website Payments Standard","Basic Settings - PayPal Website Payments Standard" -"It is recommended to set this value to ""PayPal"" per store views.","It is recommended to set this value to ""PayPal"" per store views." -"Summary Text for Aggregated Cart","Summary Text for Aggregated Cart" -"Uses store frontend name by default.","Uses store frontend name by default." -"Payflow Pro","Payflow Pro" -"Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site.","Connect your merchant account with a fully customizable gateway that lets customers pay without leaving your site." -Partner,Partner -Vendor,Vendor -"Use Proxy","Use Proxy" -"Proxy Host","Proxy Host" -"Proxy Port","Proxy Port" -"Basic Settings - PayPal Payflow Pro","Basic Settings - PayPal Payflow Pro" -" - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - "," - Supporting of American Express cards require additional agreement. Learn more at http://www.paypal.com/amexupdate. - " -"Severe validation removes chargeback liability on merchant.","Severe validation removes chargeback liability on merchant." -"A value is required for live mode. Refer to your CardinalCommerce agreement.","A value is required for live mode. Refer to your CardinalCommerce agreement." -"Payflow Link (Includes Express Checkout)","Payflow Link (Includes Express Checkout)" -"Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site.","Connect your merchant account with a PCI-compliant gateway that lets customers pay without leaving your site." -"Payflow Link and Express Checkout","Payflow Link and Express Checkout" -"Email Associated with PayPal Merchant Account (Optional)","Email Associated with PayPal Merchant Account (Optional)" -"If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here.","If you do not have multiple users set up on your account, please re-enter your Vendor/Merchant Login here." -"Enable Payflow Link","Enable Payflow Link" -"Enable Express Checkout","Enable Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payflow Link","Basic Settings - PayPal Payflow Link" -"CVV Entry is Editable","CVV Entry is Editable" -"Send Email Confirmation","Send Email Confirmation" -"URL method for Cancel URL and Return URL","URL method for Cancel URL and Return URL" -"Express Checkout","Express Checkout" -"Add PayPal as an additional payment method to your checkout page.","Add PayPal as an additional payment method to your checkout page." -"Email Associated with PayPal Merchant Account","Email Associated with PayPal Merchant Account" -" - Start accepting payments via PayPal! - "," - Start accepting payments via PayPal! - " -"Don't have a PayPal account? Simply enter your email address.","Don't have a PayPal account? Simply enter your email address." -"API Authentication Methods","API Authentication Methods" -"API Username","API Username" -"API Password","API Password" -"Get Credentials from PayPal","Get Credentials from PayPal" -"Sandbox Credentials","Sandbox Credentials" -"API Uses Proxy","API Uses Proxy" -"Enable PayPal Credit","Enable PayPal Credit" -"PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - ","PayPal Express Checkout lets you give customers access to financing through PayPal Credit® - at no additional cost to you. - You get paid up front, even though customers have more time to pay. A pre-integrated payment button lets customers pay quickly with PayPal Credit®. - Learn More - " -"Publisher ID","Publisher ID" -"Required to display a banner","Required to display a banner" -"Get Publisher ID from PayPal","Get Publisher ID from PayPal" -"It is recommended to set this value to ""Magento_Paypal"" per store views.","It is recommended to set this value to ""Magento_Paypal"" per store views." -"Shortcut on Shopping Cart","Shortcut on Shopping Cart" -"Also affects mini-shopping cart.","Also affects mini-shopping cart." -"Shortcut on Product View","Shortcut on Product View" -"Authorization Honor Period (days)","Authorization Honor Period (days)" -"Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Authorization Honor Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Order Valid Period (days)","Order Valid Period (days)" -"Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal.","Specifies what the Order Valid Period is on the merchant’s PayPal account. It must mirror the setting in PayPal." -"Number of Child Authorizations","Number of Child Authorizations" -"The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase.","The default number of child authorizations in your PayPal account is 1. To do multiple authorizations please contact PayPal to request an increase." -"Transfer Shipping Options","Transfer Shipping Options" -"If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only.","If this option is enabled, customer can change shipping address and shipping method on PayPal website. In live mode works via HTTPS protocol only." -"Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available.","Notice that PayPal can handle up to 10 shipping options. That is why Magento will transfer only first 10 cheapest shipping options if there are more than 10 available." -"Shortcut Buttons Flavor","Shortcut Buttons Flavor" -"Enable PayPal Guest Checkout","Enable PayPal Guest Checkout" -"Ability for buyer to purchase without PayPal account.","Ability for buyer to purchase without PayPal account." -"Require Customer's Billing Address","Require Customer's Billing Address" -"This feature needs be enabled first for the merchant account through PayPal technical support.","This feature needs be enabled first for the merchant account through PayPal technical support." -"Billing Agreement Signup","Billing Agreement Signup" -"Whether to create a billing agreement, if there are no active billing agreements available.","Whether to create a billing agreement, if there are no active billing agreements available." -" - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - "," - Merchants need to apply to PayPal for enabling billing agreements feature. Do not enable this option until PayPal confirms that billing agreements are enabled for your merchant account. - " -"Skip Order Review Step","Skip Order Review Step" -" - Will appear as a payment option only for customers who have at least one active billing agreement. - "," - Will appear as a payment option only for customers who have at least one active billing agreement. - " -"Allow in Billing Agreement Wizard","Allow in Billing Agreement Wizard" -"SFTP Credentials","SFTP Credentials" -"Custom Endpoint Hostname or IP-Address","Custom Endpoint Hostname or IP-Address" -"By default it is ""reports.paypal.com"".","By default it is ""reports.paypal.com""." -"Use colon to specify port. For example: ""test.example.com:5224"".","Use colon to specify port. For example: ""test.example.com:5224""." -"Custom Path","Custom Path" -"Scheduled Fetching","Scheduled Fetching" -"Enable Automatic Fetching","Enable Automatic Fetching" -"PayPal retains reports for 45 days.","PayPal retains reports for 45 days." -"Time of Day","Time of Day" -"PayPal Product Logo","PayPal Product Logo" -"Displays on catalog pages and homepage.","Displays on catalog pages and homepage." -"PayPal Merchant Pages Style","PayPal Merchant Pages Style" -"Page Style","Page Style" -" - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - "," - Allowable values: ""paypal"", ""primary"" (default), your_custom_value (a custom payment page style from your merchant account profile). - " -"Header Image URL","Header Image URL" -" - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - "," - The image at the top left of the checkout page. Max size is 750x90-pixel. https is highly encouraged. - " -"Header Background Color","Header Background Color" -" - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - "," - The background color for the header of the checkout page. Case-insensitive six-character HTML hexadecimal color code in ASCII. - " -"Header Border Color","Header Border Color" -"2-pixel perimeter around the header space.","2-pixel perimeter around the header space." -"Page Background Color","Page Background Color" -" - The background color for the checkout page around the header and payment form. - "," - The background color for the checkout page around the header and payment form. - " -"Website Payments Pro Hosted Solution","Website Payments Pro Hosted Solution" -"Accept payments with a PCI compliant checkout that keeps customers on your site.","Accept payments with a PCI compliant checkout that keeps customers on your site." -"Payments Pro Hosted Solution","Payments Pro Hosted Solution" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Pro Hosted Solution","Basic Settings - PayPal Payments Pro Hosted Solution" -"Display Express Checkout in the Payment Information step","Display Express Checkout in the Payment Information step" -" - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - "," - PayPal All-in-One Payment Solutions  Accept and process credit cards and PayPal payments. - " -"Choose a secure bundled payment solution for your business.","Choose a secure bundled payment solution for your business." -"PayPal Express Checkout","PayPal Express Checkout" -"Add another payment method to your existing solution or as a stand-alone option.","Add another payment method to your existing solution or as a stand-alone option." -"Payments Advanced (Includes Express Checkout)","Payments Advanced (Includes Express Checkout)" -"Accept payments with a PCI-compliant checkout that keeps customers on your site.","Accept payments with a PCI-compliant checkout that keeps customers on your site." -"Payments Advanced and Express Checkout","Payments Advanced and Express Checkout" -"PayPal recommends that you set up an additional User on your account at manager.paypal.com","PayPal recommends that you set up an additional User on your account at manager.paypal.com" -"PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here.","PayPal recommends you set up an additional User on your account at manager.paypal.com, instead of entering your admin username and password here. This will enhance your security and prevent service interruptions if you later change your password. If you do not want to set up an additional User, you can re-enter your Merchant Login here." -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Basic Settings - PayPal Payments Advanced","Basic Settings - PayPal Payments Advanced" -"Payments Pro (Includes Express Checkout)","Payments Pro (Includes Express Checkout)" -"Payments Pro and Express Checkout","Payments Pro and Express Checkout" -"Basic Settings - PayPal Payments Pro","Basic Settings - PayPal Payments Pro" -"Payments Standard","Payments Standard" -"Basic Settings - PayPal Payments Standard","Basic Settings - PayPal Payments Standard" -"PayPal Payment Gateways","PayPal Payment Gateways" -"Process payments using your own internet merchant account.","Process payments using your own internet merchant account." -"Payflow Pro (Includes Express Checkout)","Payflow Pro (Includes Express Checkout)" -"Payflow Pro and Express Checkout","Payflow Pro and Express Checkout" -" - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - "," - Why Advertise Financing?
- Give your sales a boost when you advertise financing.
PayPal helps turn browsers into buyers with financing - from PayPal Credit®. Your customers have more time to pay, while you get paid up front – at no additional cost to you. - Use PayPal’s free banner ads that let you advertise PayPal Credit® financing as a payment option when your customers check out with PayPal. - The PayPal Advertising Program has been shown to generate additional purchases as well as increase consumer's average purchase sizes by 15% - or more. See Details. - " -"Accept credit cards, debit cards and PayPal payments securely.","Accept credit cards, debit cards and PayPal payments securely." -"Accept payments with a completely customizable checkout page.","Accept payments with a completely customizable checkout page." -"Website Payments Pro Hosted Solution (Includes Express Checkout)","Website Payments Pro Hosted Solution (Includes Express Checkout)" -"Website Payments Pro Hosted Solution and Express Checkout","Website Payments Pro Hosted Solution and Express Checkout" -"Basic Settings - PayPal Website Payments Pro Hosted Solution","Basic Settings - PayPal Website Payments Pro Hosted Solution" -"PayPal Payment Solutions","PayPal Payment Solutions" diff --git a/app/code/Magento/Persistent/i18n/de_DE.csv b/app/code/Magento/Persistent/i18n/de_DE.csv deleted file mode 100644 index adc4ab25a4e76..0000000000000 --- a/app/code/Magento/Persistent/i18n/de_DE.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?","Was ist das?" -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me","Eingaben merken" -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/Persistent/i18n/es_ES.csv b/app/code/Magento/Persistent/i18n/es_ES.csv deleted file mode 100644 index 635ec9eec5c2c..0000000000000 --- a/app/code/Magento/Persistent/i18n/es_ES.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?","¿Qué es esto?" -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me",Recordarme -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/Persistent/i18n/fr_FR.csv b/app/code/Magento/Persistent/i18n/fr_FR.csv deleted file mode 100644 index 714eab8b971c5..0000000000000 --- a/app/code/Magento/Persistent/i18n/fr_FR.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?","Qu'est-ce ?" -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me","Se souvenir de moi" -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/Persistent/i18n/nl_NL.csv b/app/code/Magento/Persistent/i18n/nl_NL.csv deleted file mode 100644 index 58170d03ce9b5..0000000000000 --- a/app/code/Magento/Persistent/i18n/nl_NL.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?","Wat is dit?" -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me","Onthoud me" -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/Persistent/i18n/pt_BR.csv b/app/code/Magento/Persistent/i18n/pt_BR.csv deleted file mode 100644 index 4f1c67416f1aa..0000000000000 --- a/app/code/Magento/Persistent/i18n/pt_BR.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?","O que é isso?" -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me","Lembre-se de mim" -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/Persistent/i18n/zh_Hans_CN.csv b/app/code/Magento/Persistent/i18n/zh_Hans_CN.csv deleted file mode 100644 index 30fa2f3251cbd..0000000000000 --- a/app/code/Magento/Persistent/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,16 +0,0 @@ -"What's this?",这是什么? -"(Not %1?)","(Not %1?)" -"Your shopping cart has been updated with new prices.","Your shopping cart has been updated with new prices." -"Welcome, %1!","Welcome, %1!" -"To check out, please log in using your email address.","To check out, please log in using your email address." -"We cannot load the configuration from file %1.","We cannot load the configuration from file %1." -"Remember Me",记住我 -"Check "Remember Me" to access your shopping cart on this computer when you are logged out","Check "Remember Me" to access your shopping cart on this computer when you are logged out" -"General Options","General Options" -"Persistent Shopping Cart","Persistent Shopping Cart" -"Enable Persistence","Enable Persistence" -"Persistence Lifetime (seconds)","Persistence Lifetime (seconds)" -"Enable ""Remember Me""","Enable ""Remember Me""" -"""Remember Me"" Default Value","""Remember Me"" Default Value" -"Clear Persistence on Log Out","Clear Persistence on Log Out" -"Persist Shopping Cart","Persist Shopping Cart" diff --git a/app/code/Magento/ProductAlert/i18n/de_DE.csv b/app/code/Magento/ProductAlert/i18n/de_DE.csv deleted file mode 100644 index 04a4c4f44f222..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/de_DE.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.","Aktualisierung des Benachrichtigungsabonnements nicht möglich." -"Alert subscription has been saved.","Benachrichtigungsabonnement wurde gespeichert." -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.","Sie erhalten zukünftig keine Preisbenachrichtigungen mehr." -"The product was not found.","Das Produkt konnte nicht gefunden werden." -"You will no longer receive stock alerts for this product.","Sie erhalten zukünftig keine weiteren Verfügbarkeitsbenachrichtigungen mehr für dieses Produkt." -"You will no longer receive stock alerts.","Sie erhalten zukünftig keine Verfügbarkeitsbenachrichtigungen mehr." -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:","Sie erhalten diese Benachrichtigung, da Sie informiert werden wollten, wenn sich die Preise folgender Produkte ändern:" -Price:,Preis: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts","Von allen Preisbenachrichtigungen abmelden" -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:","Sie erhalten diese Benachrichtigung, da Sie informiert werden wollten, wenn folgende Produkte wieder verfügbar sind:" -"Unsubscribe from all stock alerts","Von allen Verfügbarkeitsbenachrichtigungen abmelden" -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert","Für Preisbenachrichtigungen anmelden" -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/ProductAlert/i18n/es_ES.csv b/app/code/Magento/ProductAlert/i18n/es_ES.csv deleted file mode 100644 index 232ca85163d59..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/es_ES.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.","Imposible actualizar la suscripción de alerta." -"Alert subscription has been saved.","Alerta de suscripción guardada." -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.","Usted no recibirá más alertas de precio para este producto." -"The product was not found.","No se encontró el producto." -"You will no longer receive stock alerts for this product.","Usted no recibirá más alertas de existencias para este producto." -"You will no longer receive stock alerts.","Usted no recibirá más alertas de existencias." -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:","Usted está recibiendo esta notificación porque está suscrito para recibir alertas cuando los precios de los siguientes productos cambien:" -Price:,Precio: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts","Darse de baja de todas las alertas de precio" -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:","Usted está recibiendo esta notificación porque está suscrito para recibir alertas cuando los siguientes productos vuelvan a estar en existencias:" -"Unsubscribe from all stock alerts","Darse de baja de todas las alertas de existencias" -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert","Incribirse para alerta de precio" -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/ProductAlert/i18n/fr_FR.csv b/app/code/Magento/ProductAlert/i18n/fr_FR.csv deleted file mode 100644 index d88711bc72d89..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/fr_FR.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.","Échec lors de la mise à jour de la souscription aux alertes." -"Alert subscription has been saved.","La souscription aux alertes a été enregistrée." -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.","Vous ne recevrez plus d'alertes de prix pour ce produit." -"The product was not found.","Le produit n'a pas été trouvé." -"You will no longer receive stock alerts for this product.","Vous ne recevrez plus d'alertes de stock pour ce produit." -"You will no longer receive stock alerts.","Vous ne recevrez plus d'alertes de stock." -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:","Vous recevez cette notification car vous avez choisi de recevoir des alertes lorsque les prix des produits suivants changent :" -Price:,Prix: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts","Se désabonner de toutes les alertes de prix" -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:","Vous recevez cette notification car vous avez choisi de recevoir des alertes lorsque les produits suivants sont de nouveau disponibles :" -"Unsubscribe from all stock alerts","Se désabonner de toutes les alertes de stock" -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert","S'enregistrer pour les alertes sur le prix" -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/ProductAlert/i18n/nl_NL.csv b/app/code/Magento/ProductAlert/i18n/nl_NL.csv deleted file mode 100644 index b2c760474a462..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/nl_NL.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.","Niet instaat om de alarm subscriptie te updaten." -"Alert subscription has been saved.","Waarschuwing subscriptie is opgeslagen." -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.","U zult geen waarschuwing over de prijs van dit product meer ontvangen." -"The product was not found.","Het product kon niet worden gevonden." -"You will no longer receive stock alerts for this product.","U zult geen waarschuwingen over de beschikbaarheid van dit product ontvangen." -"You will no longer receive stock alerts.","U zult geen voorraad waarschuwingen meer ontvangen." -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:","U ontvangt deze notificatie omdat u zich ingeschreven heeft om een waarschuwing te ontvangen wanneer de prijs van de volgende producten veranderd:" -Price:,Prijs: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts","Schrijf u uit van alle prijs alarmen" -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:","U ontvangt deze notificatie omdat u zich ingeschreven heeft om een waarschuwing te ontvangen wanneer de volgende producten weer beschikbaar zijn:" -"Unsubscribe from all stock alerts","Schrijf u uit van alle aandeel alarmen" -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert","Meld u nu aan voor prijs waarschuwingen" -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/ProductAlert/i18n/pt_BR.csv b/app/code/Magento/ProductAlert/i18n/pt_BR.csv deleted file mode 100644 index 23f724a99687b..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/pt_BR.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.","Não é possível atualizar a subscrição de alertas." -"Alert subscription has been saved.","Alerta de assinatura foi salva." -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.","Você não receberá mais alertas de preço para este produto." -"The product was not found.","O produto não foi encontrado." -"You will no longer receive stock alerts for this product.","Você não receberá mais alertas de estoque para este produto." -"You will no longer receive stock alerts.","Você não receberá mais alertas de estoque." -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:","Você está recebendo esta notificação porque você se inscreveu para receber alertas quando os preços dos seguintes produtos se alterassem:" -Price:,Preço: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts","Anular a subscrição de todos os alertas de preços" -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:","Você está recebendo esta notificação porque você se inscreveu para receber alertas quando os seguintes produtos estão de volta em estoque:" -"Unsubscribe from all stock alerts","Anular a subscrição do todos os alertas estoque" -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert","Registe-se para alerta de preço" -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/ProductAlert/i18n/zh_Hans_CN.csv b/app/code/Magento/ProductAlert/i18n/zh_Hans_CN.csv deleted file mode 100644 index 17aef9a799e9e..0000000000000 --- a/app/code/Magento/ProductAlert/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,31 +0,0 @@ -"Product Alerts","Product Alerts" -"We can't find the product.","We can't find the product." -"There are not enough parameters.","There are not enough parameters." -"You saved the alert subscription.","You saved the alert subscription." -"Unable to update the alert subscription.",无法更新提醒订阅。 -"Alert subscription has been saved.",提醒订阅已保存。 -"You deleted the alert subscription.","You deleted the alert subscription." -"You will no longer receive price alerts for this product.",您不再接收此产品的价格提醒。 -"The product was not found.",产品未找到。 -"You will no longer receive stock alerts for this product.",您不再接收此产品的库存提醒。 -"You will no longer receive stock alerts.",您不再接收库存提醒。 -"Invalid block type: %1","Invalid block type: %1" -"You are receiving this notification because you subscribed to receive alerts when the prices for the following products changed:",您收到该通知的原因是您订阅了当下列产品价格更改时接受提醒: -Price:,价格: -"Click here not to receive alerts for this product.","Click here not to receive alerts for this product." -"Unsubscribe from all price alerts",退订所有价格提醒 -"You are receiving this notification because you subscribed to receive alerts when the following products are back in stock:",您收到该通知的原因是您订阅了当下列产品有库存时接收提醒: -"Unsubscribe from all stock alerts",退订所有库存提醒 -"Start Time","Start Time" -Frequency,Frequency -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Allow Alert When Product Price Changes","Allow Alert When Product Price Changes" -"Allow Alert When Product Comes Back in Stock","Allow Alert When Product Comes Back in Stock" -"Price Alert Email Template","Price Alert Email Template" -"Stock Alert Email Template","Stock Alert Email Template" -"Alert Email Sender","Alert Email Sender" -"Product Alerts Run Settings","Product Alerts Run Settings" -"Sign up for price alert",注册价格提醒 -"Sign up to be notified when this product is back in stock.","Sign up to be notified when this product is back in stock." diff --git a/app/code/Magento/Quote/i18n/de_DE.csv b/app/code/Magento/Quote/i18n/de_DE.csv deleted file mode 100644 index b7353fbfd24d1..0000000000000 --- a/app/code/Magento/Quote/i18n/de_DE.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,Zwischensumme -Discount,Rabatt -"Grand Total",Gesamtbetrag -Tax,Steuer -Shipping,Lieferung -"Store Credit","Guthaben aufbewahren" -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Lieferung und Verarbeitung" -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","Das adresse total model sollte von \Magento\Quote\Model\Quote\Address\Total\AbstractTotal erweitert werden." -"Subscription Items","Subscription Items" -"Regular Payment","Reguläre Zahlung" -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.","Die angeforderte Zahlungsart ist nicht verfügbar." -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.","Bitte geben Sie eine Versandart an." -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.","Bitte wählen Sie eine gültige Zahlungsmethode." diff --git a/app/code/Magento/Quote/i18n/es_ES.csv b/app/code/Magento/Quote/i18n/es_ES.csv deleted file mode 100644 index 43199a2ca0c3c..0000000000000 --- a/app/code/Magento/Quote/i18n/es_ES.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,Subtotal -Discount,Descuento -"Grand Total","Suma total" -Tax,Impuestos -Shipping,Transporte -"Store Credit","Crédito de tienda" -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Manipulación y expedición" -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","El modelo de dirección total debería extenderse desde \Magento\Quote\Model\Quote\Address\Total\AbstractTotal." -"Subscription Items","Subscription Items" -"Regular Payment","Pago ordinario" -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.","El método de pago solicitado no está disponible." -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.","Por favor, especifique un modo de envío." -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.","Por favor, seleccione un modo de pago válido." diff --git a/app/code/Magento/Quote/i18n/fr_FR.csv b/app/code/Magento/Quote/i18n/fr_FR.csv deleted file mode 100644 index 2c6e933738c17..0000000000000 --- a/app/code/Magento/Quote/i18n/fr_FR.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,Sous-total -Discount,Discount -"Grand Total","Total final" -Tax,Taxe -Shipping,Envoi -"Store Credit","Crédits de la boutique" -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Expédition et traitement" -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","Le modèle total de l'adresse devrait être étendu à partir de \Magento\Quote\Model\Quote\Address\Total\AbstractTotal." -"Subscription Items","Subscription Items" -"Regular Payment","Paiement régulier" -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.","La méthode de paiement demandée n'est pas disponible." -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.","Veuillez spécifier une méthode d'expédition." -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.","Veuillez sélectionner une méthode de paiement valide." diff --git a/app/code/Magento/Quote/i18n/nl_NL.csv b/app/code/Magento/Quote/i18n/nl_NL.csv deleted file mode 100644 index acd4c074680e0..0000000000000 --- a/app/code/Magento/Quote/i18n/nl_NL.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,subtotaal -Discount,korting -"Grand Total","Groot Totaal" -Tax,Belasting -Shipping,Transport -"Store Credit","Sla Krediet op" -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Verzending & Transport" -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","Het totale adresmodel moet uitgebreid worden van \Magento\Quote\Model\Quote\Address\Total\AbstractTotal." -"Subscription Items","Subscription Items" -"Regular Payment",Overboeking -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.","De aangevraagde betaalmethode is niet beschikbaar." -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.","Gelieve een bezorgingsmethode te specificeren." -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.","Gelieve een geldige betalingsmethode te selecteren." diff --git a/app/code/Magento/Quote/i18n/pt_BR.csv b/app/code/Magento/Quote/i18n/pt_BR.csv deleted file mode 100644 index 3bc5a5cf16a49..0000000000000 --- a/app/code/Magento/Quote/i18n/pt_BR.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,Subtotal -Discount,Desconto -"Grand Total","Total geral" -Tax,Taxas -Shipping,Remessa -"Store Credit","Credito da loja" -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Transporte & Manuseio" -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","O modelo de endereço total deve ser alargado de \Magento\Quote\Model\Quote\Address\Total\AbstractTotal." -"Subscription Items","Subscription Items" -"Regular Payment","Pagamento Regular" -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.","O Método de Pagamento solicitado não está disponível." -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.","Especifique um método de envio." -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.","Por favor selecione um método de pagamento válido." diff --git a/app/code/Magento/Quote/i18n/zh_Hans_CN.csv b/app/code/Magento/Quote/i18n/zh_Hans_CN.csv deleted file mode 100644 index 871651b2b6ca8..0000000000000 --- a/app/code/Magento/Quote/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,31 +0,0 @@ -Subtotal,小计 -Discount,折扣 -"Grand Total",总计 -Tax,传真 -Shipping,运送 -"Store Credit",店铺信用 -"An item option with code %1 already exists.","An item option with code %1 already exists." -"Discount (%1)","Discount (%1)" -"Shipping & Handling",运费和手续费 -"Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself.","Sorry, but items with payment agreements must be ordered one at a time To continue, please remove or buy the other items in your cart, then order this item by itself." -"We found an invalid request for adding product to quote.","We found an invalid request for adding product to quote." -"This is the wrong quote item id to update configuration.","This is the wrong quote item id to update configuration." -"This shipping method is not available. To use this shipping method, please contact us.","This shipping method is not available. To use this shipping method, please contact us." -"The address model is not defined.","The address model is not defined." -"The address total model should be extended from \Magento\Quote\Model\Quote\Address\Total\AbstractTotal.","地址总模块应扩展自\Magento\Quote\Model\Quote\Address\Total\AbstractTotal。" -"Subscription Items","Subscription Items" -"Regular Payment",正常支付 -"Shipping & Handling (%1)","Shipping & Handling (%1)" -"We found an invalid item option format.","We found an invalid item option format." -"Item qty declaration error","Item qty declaration error" -"Some of the products below do not have all the required options.","Some of the products below do not have all the required options." -"Something went wrong during the item options declaration.","Something went wrong during the item options declaration." -"We found an item options declaration error.","We found an item options declaration error." -"Some of the selected options are not currently available.","Some of the selected options are not currently available." -"Selected option(s) or their combination is not currently available.","Selected option(s) or their combination is not currently available." -"Some item options or their combination are not currently available.","Some item options or their combination are not currently available." -"The requested Payment Method is not available.",请求的支付方式不可用。 -"Please check the shipping address information. %1","Please check the shipping address information. %1" -"Please specify a shipping method.",请指定一个配送方法。 -"Please check the billing address information. %1","Please check the billing address information. %1" -"Please select a valid payment method.",请选择有效的支付方式。 diff --git a/app/code/Magento/Reports/i18n/de_DE.csv b/app/code/Magento/Reports/i18n/de_DE.csv deleted file mode 100644 index c751048ec4fd2..0000000000000 --- a/app/code/Magento/Reports/i18n/de_DE.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,Produktname -Price,Preis -Quantity,Artikelmenge -Products,Produkte -ID,ID -SKU,SKU -Customers,Kunden -"Shopping Cart",Warenkorb -No,Nein -Subtotal,Zwischensumme -Discount,Discount -Action,Aktion -Total,Gesamtbetrag -"Add to Cart","Zum Warenkorb hinzufügen" -Orders,Aufträge -Bestsellers,Bestseller -Customer,Kundenname -Guest,Gast -Items,Items -Results,Ergebnisse -Uses,Uses -Average,Average -"Order Quantity","bestellte Menge" -Views,"Anzahl wie oft angesehen" -Revenue,Umsatz -Tax,Steuer -Shipping,Lieferung -"First Name",Vorname -"Last Name",Nachname -Email,E-Mail -Refresh,Refresh -Store,Store -Yes,Ja -Name,Name -Title,Titel -Description,Beschreibung -From,Von -To,An -Dashboard,Dashboard -"IP Address","IP Adresse" -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,"In Rechnung gestellt." -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock","Nicht lieferbar" -Day,Tag -Month,Monat -Year,Jahr -"Search Query",Suchbegriff -"Search Terms",Suchbegriffe -"Add to Wishlist","Zum Wunschzettel hinzufügen" -"Add to Compare","Hinzufügen um zu vergleichen" -"Items in Cart","Waren im Einkaufswagen" -Sales,Verkäufe -Created,Created -"Product Reviews",Produktreviews -Updated,Updated -Reports,Berichte -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,Filter -Link,Link -Report,Report -Added,Added -"Coupon Code","Coupon Code" -"New Accounts","Anzahl der neuen Konten" -"Customers by number of orders","Kunden nach der Anzahl der Aufträge" -"Customers by Orders Total","Kunden nach Gesamtzahl der Bestellung" -"Match Period To","Match Period To" -Period,Period -"Empty Rows","Leere Reihe" -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report",Artikelmeldung -Downloads,Downloads -Purchases,Käufe -CSV,CSV -"Excel XML",Excel-XML -Viewed,"Anzahl wie oft angesehen" -Purchased,Purchased -"Low stock","Wenige Artikel vorrätig" -"Products Ordered","Bestellte Artikel" -"Most Viewed","am meisten angesehen" -"Show Report","Report anzeigen" -Interval,Zeitraum -"Refresh Statistics","Aktualisiere Statistik" -"Customers Reviews","Berichte der Kunden" -"Reviews for %1","Reviews for %1" -Detail,Detail -"Products Reviews",Artikelbewertungen -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report","Protokoll zur Anwendung von Gutscheinen" -"Price Rule","Warenkorb Preisregel" -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","Gesamtgegenüberstellung Berechnet zu Bezahlt" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report","Gesamtreport zu Rückerstattungen" -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report","Report Gesamtbestellvolumen" -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report","Gesamtreport versendeter Produkte" -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate","Auftragssteuermeldung unterteilt nach Steuersatz" -Rate,Rate -"Abandoned carts","Verlassene Warenkörbe" -"Applied Coupon","Benutzter Gutschein" -"Products in carts","Artikel in den Warenkörben" -Carts,Einkaufswagen -"Wish Lists","Wish Lists" -"Wishlist Purchase","Vom Wunschzettel gekauft" -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted","Anzahl wie oft gelöscht" -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock","Niedriger Lagerbestand" -"Downloads Report","Downloads Report" -Review,Review -Reviews,Bewertungen -"Customer Reviews Report","Customer Reviews Report" -"Customers Report","Erfahrungsbericht der Kunden" -"Product Reviews Report","Product Reviews Report" -"Sales Report",Verkaufsreport -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,Gutscheine -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts","Unbenutzte Einkaufswagen" -Statistics,Statistik -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed","Kürzlich angesehen" -"Recently Compared Products","zuletzt verglichene Artikel" -"Recently Viewed Products","Kürzlich angesehene Produkte" -"Recently Compared","zuletzt verglichen" -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor","Liste der kürzlich angesehenen Produkte des Besuchers" -"Number of Products to display","Anzahl der darzustellenden Artikel" -"Viewed Products Grid Template","Tabellarische Vorlage für angesehene Produkte" -"Viewed Products List Template","Vorlage für Liste der angesehenen Produkte" -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor","Liste der kürzlich verglichenen Produkte und Produkte, die vom Besucher von der Vergleichsliste entfernt wurden" -"Compared Products Grid Template","Gittermustervorlage für verglichene Produkte" -"Compared Products List Template","Vorlage für die Liste verglichener Produkte" -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,Treffer -"Stock Quantity","Anzahl auf Lager" -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review","Letzte Überprüfung" -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics","Aktualisiere lebenslange Statistik" -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.","Sind Sie sicher, dass Sie die Laufzeit der Statistiken aktualisieren möchten? Während dieser Tätigkeit kann die Leistung beeinflusst werden." -"Refresh Statistics for the Last Day","Aktualisiere Statistik für den letzten Tag" -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,undefiniert -"Products in Cart","Artikel in den Warenkörbe" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Reports/i18n/es_ES.csv b/app/code/Magento/Reports/i18n/es_ES.csv deleted file mode 100644 index b025859c92e51..0000000000000 --- a/app/code/Magento/Reports/i18n/es_ES.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,"Nombre de Producto" -Price,Precio -Quantity,"Cantidad de Artículos" -Products,Productos -ID,ID -SKU,SKU -Customers,Clientes -"Shopping Cart","Cesta de la Compra" -No,No -Subtotal,Subtotal -Discount,Discount -Action,Acción -Total,Total -"Add to Cart","Añadir al Carrito" -Orders,Pedidos -Bestsellers,"Los más vendidos" -Customer,"Nombre del Cliente" -Guest,Invitado -Items,Items -Results,Resultados -Uses,Uses -Average,Average -"Order Quantity","Cantidad Pedida" -Views,"Número de Visitas" -Revenue,Ingresos -Tax,Impuestos -Shipping,Transporte -"First Name",Nombre -"Last Name",Apellido -Email,"Correo electrónico" -Refresh,Refresh -Store,Store -Yes,Sí -Name,Nombre -Title,Título -Description,Descripción -From,De -To,Para -Dashboard,Dashboard -"IP Address","Dirección IP" -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,Facturado -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock",Agotado -Day,Día -Month,Mes -Year,Año -"Search Query","Query de Búsqueda" -"Search Terms","Términos de búsqueda" -"Add to Wishlist","Añadir a lista que quieres." -"Add to Compare","Añadir para comparar." -"Items in Cart","Artículos en el Carro" -Sales,Ventas -Created,Created -"Product Reviews","Opiniones de Producto" -Updated,Updated -Reports,Informes -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,Filtro. -Link,Enlace -Report,Informe -Added,Added -"Coupon Code","Coupon Code" -"New Accounts","Número de Nuevas Cuentas" -"Customers by number of orders","Clientes por número de pedidos" -"Customers by Orders Total","Clientes por total de pedidos" -"Match Period To","Match Period To" -Period,Period -"Empty Rows","Filas Vacías." -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report","Informe de Productos" -Downloads,Descargas. -Purchases,Adquisiciones -CSV,CSV -"Excel XML","Excel XML" -Viewed,"Número Visto" -Purchased,Purchased -"Low stock","Pocas reservas" -"Products Ordered","Productos Encargados" -"Most Viewed","Los Más Vistos" -"Show Report","Muestra el informe" -Interval,Período -"Refresh Statistics","Actualiza estadísticas" -"Customers Reviews","Revisiones Personalizadas" -"Reviews for %1","Reviews for %1" -Detail,Detalles -"Products Reviews","Opiniones de Productos" -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report","Informe del Uso de Cupones" -"Price Rule","Regla del precio del carrito de la compra." -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","Total facturado vs. Informe de pagos" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report","Informe del total reembolsado" -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report","Informe del total solicitado" -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report","Informe del total enviado" -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate","Informe de Impuestos de Pedido Agrupados por Tasa Impositiva" -Rate,Rate -"Abandoned carts","Carros dejados" -"Applied Coupon","Descuento Aplicado" -"Products in carts","Productos en carros de la compra" -Carts,Carritos -"Wish Lists","Wish Lists" -"Wishlist Purchase","Comprado desde la lista de deseos" -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted","Número de Veces Borrado" -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock","Pocas existencias" -"Downloads Report","Downloads Report" -Review,Revisión -Reviews,Reseñas -"Customer Reviews Report","Customer Reviews Report" -"Customers Report","Informe de Clientes" -"Product Reviews Report","Product Reviews Report" -"Sales Report","Informe de ventas" -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,Cupones -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts","Carritos Dejados" -Statistics,Estadísticas -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed","Vistos recientemente" -"Recently Compared Products","Productos recientemente comparados" -"Recently Viewed Products","Productos vistos recientemente" -"Recently Compared","Comparados recientemente" -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor","Lista de Productos Recientemente Examinados por el Visitante" -"Number of Products to display","Número de Productos para exponer" -"Viewed Products Grid Template","Ver plantilla de cuadrícula de productos" -"Viewed Products List Template","Plantilla de lista de productos vistos" -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor","Lista de Productos Comparada y Eliminada Recientemente de la Lista de Comparación por el Visitante" -"Compared Products Grid Template","Plantilla en Red de los Productos Comparados" -"Compared Products List Template","Plantilla en Lista de los Productos Comparados" -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,Visitas. -"Stock Quantity","Cantidad de existencias" -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review","Última Revisión" -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics","Actualiza estadísticas del ciclo total" -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.","¿Está seguro de que desea actualizar las estadísticas? Podría producirse un fallo en el rendimiento durante dicha operación." -"Refresh Statistics for the Last Day","Actualiza estadísticas del último día" -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,Indefinido -"Products in Cart","Products in Cart" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Reports/i18n/fr_FR.csv b/app/code/Magento/Reports/i18n/fr_FR.csv deleted file mode 100644 index de79ece2ef856..0000000000000 --- a/app/code/Magento/Reports/i18n/fr_FR.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,"Nom produit" -Price,Prix -Quantity,"Quantité d'articles" -Products,Produits -ID,ID -SKU,SKU -Customers,Clients -"Shopping Cart",Panier -No,Non -Subtotal,Sous-total -Discount,Discount -Action,Action -Total,Total -"Add to Cart","Ajouter au panier" -Orders,Commandes -Bestsellers,"Meilleures ventes" -Customer,"Nom du client" -Guest,Invité -Items,Items -Results,Résultats -Uses,Uses -Average,Average -"Order Quantity","Quantité commandée" -Views,"Nombre de vues" -Revenue,Revenu -Tax,Taxe -Shipping,Envoi -"First Name",Prénom -"Last Name",Nom -Email,Email -Refresh,Refresh -Store,Store -Yes,oui -Name,Nom -Title,Titre -Description,Description -From,De -To,A -Dashboard,Dashboard -"IP Address","Adresse IP" -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,Facturé -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock",Épuisé -Day,Jour -Month,Mois -Year,Année -"Search Query",Recherche -"Search Terms","Termes de recherche" -"Add to Wishlist","Ajouter à la liste de cadeaux" -"Add to Compare","Ajouter au comparateur" -"Items in Cart","Articles dans le panier" -Sales,Ventes -Created,Created -"Product Reviews","Avis sur le produit" -Updated,Updated -Reports,Rapports -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,Filtre -Link,Lien -Report,Rapport -Added,Added -"Coupon Code","Coupon Code" -"New Accounts","Nombre de nouveaux comptes" -"Customers by number of orders","Clients par nombre de commandes" -"Customers by Orders Total","Clients par nombre de commandes total" -"Match Period To","Match Period To" -Period,Period -"Empty Rows","Lignes vides" -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report","Rapport sur les produits" -Downloads,Téléchargements -Purchases,Achats -CSV,"CSV (valeurs séparées par des virgules)" -"Excel XML","Excel XML" -Viewed,"Nombre de vues" -Purchased,Purchased -"Low stock","Stock bas" -"Products Ordered","Produits commandés" -"Most Viewed","Les plus vus" -"Show Report","Afficher le rapport" -Interval,Période -"Refresh Statistics","Rafraîchir les statistiques" -"Customers Reviews","Avis des clients" -"Reviews for %1","Reviews for %1" -Detail,Détail -"Products Reviews","Avis sur les produits" -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report","Rapport sur l'utilisation des coupons" -"Price Rule","Règle de prix du panier" -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","Total facturé / Rapport payé" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report","Rapport du total remboursé" -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report","Rapport du total commandé" -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report","Rapport du total envoyé" -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate","Commandes Taxes Rapport Groupés par taux d'imposition" -Rate,Rate -"Abandoned carts","Paniers abandonnés" -"Applied Coupon","Coupon appliqué" -"Products in carts","Produits dans les paniers" -Carts,Paniers -"Wish Lists","Wish Lists" -"Wishlist Purchase","Achetés depuis une liste de cadeaux" -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted","Nombre de fois supprimés" -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock","Stock faible" -"Downloads Report","Downloads Report" -Review,Avis -Reviews,Commentaires -"Customer Reviews Report","Customer Reviews Report" -"Customers Report","Rapports du client" -"Product Reviews Report","Product Reviews Report" -"Sales Report","Rapport de ventes" -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,Coupons -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts","Paniers abandonnés" -Statistics,Statistiques -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed","Récemment vus" -"Recently Compared Products","Produits récemment comparés" -"Recently Viewed Products","Produits récemment vus" -"Recently Compared","Récemment comparés" -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor","Liste des produits récemment consultés par Visiteur" -"Number of Products to display","Nombre de produits à afficher" -"Viewed Products Grid Template","Modèle de grille de produits vus" -"Viewed Products List Template","Formulaire-type de la liste des produits consultés" -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor","Liste des produits récemment comparés et supprimés de la liste de comparaison de Visiteur" -"Compared Products Grid Template","Produits comparés sur une grille" -"Compared Products List Template","Produits comparés sur une liste" -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,Clics -"Stock Quantity","Qté en stock" -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review","Dernier avis" -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics","Rafraîchir les statistiques de durée de vie" -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.","Voulez-vous vraiment actualiser les statistiques ? Il peut y avoir une baisse des performances pendant cette opération." -"Refresh Statistics for the Last Day","Rafraîchir les statistiques de la veille" -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,indéfini -"Products in Cart","Products in Cart" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Reports/i18n/nl_NL.csv b/app/code/Magento/Reports/i18n/nl_NL.csv deleted file mode 100644 index f8b5dc7e7c8ec..0000000000000 --- a/app/code/Magento/Reports/i18n/nl_NL.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,Productnaam -Price,Prijs -Quantity,"Hoeveelheid artikelen" -Products,Producten -ID,ID -SKU,SKU -Customers,Klanten -"Shopping Cart",Winkelmandje -No,Nee -Subtotal,Subtotaal -Discount,Discount -Action,Actie -Total,Totaal -"Add to Cart","Aan mandje toevoegen" -Orders,Bestellingen -Bestsellers,Bestsellers -Customer,"Naam klant" -Guest,Gast -Items,Items -Results,Resultaten -Uses,Uses -Average,Average -"Order Quantity","Bestelde hoeveelheid" -Views,"Aantal keer bekeken" -Revenue,Omzet -Tax,Belasting -Shipping,Verzending -"First Name",Voornaam -"Last Name",Achternaam -Email,Email -Refresh,Refresh -Store,Store -Yes,Ja -Name,Naam -Title,Titel -Description,Beschrijving -From,Van -To,Naar -Dashboard,Dashboard -"IP Address","IP Adres" -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,Gefactureerd -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock","Uit voorraad" -Day,Dag -Month,Maand -Year,Jaar -"Search Query","Zoek Query" -"Search Terms","Zoek Voorwaarden" -"Add to Wishlist","Aan verlanglijst toevoegen" -"Add to Compare","Voeg toe om te Vergelijken" -"Items in Cart","Items in Winkelwagentje" -Sales,Verkoop -Created,Created -"Product Reviews",Productbeoordelingen -Updated,Updated -Reports,Verslagen -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,Filter -Link,Link -Report,Verslag -Added,Added -"Coupon Code","Coupon Code" -"New Accounts","Aantal nieuwe accounts" -"Customers by number of orders","Klanten op aantal bestellingen" -"Customers by Orders Total","Klanten op volgorde van totaal bestellingen" -"Match Period To","Match Period To" -Period,Period -"Empty Rows","Lege rijen" -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report",Productverslag -Downloads,Downloads -Purchases,Aankopen -CSV,CSV -"Excel XML","Excel XML" -Viewed,"Aantal keer bekeken" -Purchased,Purchased -"Low stock","Lage voorraad" -"Products Ordered","Bestelde Producten" -"Most Viewed","Meest bekeken" -"Show Report","Toon Rapport" -Interval,Periode -"Refresh Statistics","Statistieken verversen" -"Customers Reviews",Klantenrecensies -"Reviews for %1","Reviews for %1" -Detail,Detail -"Products Reviews",Productrecensies -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report","Kortingsbonnengebruik verslag" -"Price Rule","Winkelkarretje Prijs Regel" -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","Totaal gefactureerd vs. betaald verslag" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report","Totaal terugbetaald verslag" -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report","Totaal besteld verslag" -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report","Totaal verzonden verslag" -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate","Bestelling Belasting Verslagen gesorteerd op Belastingtarief" -Rate,Rate -"Abandoned carts","Verlaten winkelmanden" -"Applied Coupon","Gebruikte kortingsbon" -"Products in carts","Producten in mandjes" -Carts,Mandjes -"Wish Lists","Wish Lists" -"Wishlist Purchase","Gekocht van verlanglijstjes" -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted","Aantal keer verwijderd" -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock","Lage Voorraad" -"Downloads Report","Downloads Report" -Review,recensie -Reviews,Reviews -"Customer Reviews Report","Customer Reviews Report" -"Customers Report",Klantenverslag -"Product Reviews Report","Product Reviews Report" -"Sales Report",Verkooprapport -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,Waardebonnen -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts","Verlaten winkelwagens" -Statistics,Statistieken -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed","Recent bekeken" -"Recently Compared Products","Recent vergeleken producten" -"Recently Viewed Products","Onlangs Bekeken Producten" -"Recently Compared","Recent vergeleken" -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor","Lijst van Producten die Recentelijk Bekeken zijn door Bezoeker" -"Number of Products to display","Aantal producten die u kunt laten zien" -"Viewed Products Grid Template","Toon productenrooster sjabloon" -"Viewed Products List Template","Toon productenlijst sjabloon" -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor","Lijst van Producten die Recentelijk Vergeleken en Verwijderd zijn van de Vergelijkingslijst door de Bezoeker." -"Compared Products Grid Template","Vergeleken producten rooster sjabloon" -"Compared Products List Template","Vergeleken producten lijst sjabloon" -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,Bezoeken -"Stock Quantity","Voorraad Quantity" -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review","Laatste Beoordeling" -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics","Levensduur statistieken verversen" -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.","Weet u zeker dat u de levensduur statistieken wilt verversen? Deze operatie kan de performantie negatief beïnvloeden." -"Refresh Statistics for the Last Day","Statistiek voor de laatste dag verversen" -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,ongedefinieerd -"Products in Cart","Products in Cart" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Reports/i18n/pt_BR.csv b/app/code/Magento/Reports/i18n/pt_BR.csv deleted file mode 100644 index 8ef822b53a296..0000000000000 --- a/app/code/Magento/Reports/i18n/pt_BR.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,"Nome do produto" -Price,Preço -Quantity,"Quantidade de itens" -Products,Produtos -ID,Identidade -SKU,SKU -Customers,Clientes -"Shopping Cart","Carrinho de compras" -No,Não -Subtotal,Subtotal -Discount,Discount -Action,Ação -Total,Total -"Add to Cart","Adicionar ao carrinho" -Orders,Ordens -Bestsellers,"Mais vendidos" -Customer,"Nome do Cliente" -Guest,Convidado -Items,Items -Results,Resultados -Uses,Uses -Average,Average -"Order Quantity","Quantidade pedida" -Views,"Número de Visualizações" -Revenue,Receita -Tax,Taxas -Shipping,Remessa -"First Name","Primeiro nome" -"Last Name","Último nome" -Email,E-mail -Refresh,Refresh -Store,Store -Yes,Sim -Name,Nome -Title,Título -Description,Descrição -From,De -To,Para -Dashboard,Dashboard -"IP Address","Endereço de IP" -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,Faturado -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock","Fora de estoque" -Day,Dia -Month,Mês -Year,Ano -"Search Query","Palavras-Chave da Busca" -"Search Terms","Buscar Termos" -"Add to Wishlist","Adicionar à Lista de Desejos" -"Add to Compare","Adicionar para Comparar" -"Items in Cart","Itens no carrinho" -Sales,Vendas -Created,Created -"Product Reviews","Comentários sobre Produto" -Updated,Updated -Reports,Relatórios -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,Filtro -Link,Link -Report,Relatório -Added,Added -"Coupon Code","Coupon Code" -"New Accounts","Número de Novas Contas" -"Customers by number of orders","Clientes por número de pedidos" -"Customers by Orders Total","Clientes por Total dos Pedidos" -"Match Period To","Match Period To" -Period,Period -"Empty Rows","Colunas vazias" -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report","Relatórios de produtos" -Downloads,Transferências -Purchases,Compras -CSV,CSV -"Excel XML","Excel XML" -Viewed,"Número Vistos" -Purchased,Purchased -"Low stock","Estoque baixo" -"Products Ordered","Produtos Encomendados" -"Most Viewed","Mais vistos" -"Show Report","Exibir relatório" -Interval,Período -"Refresh Statistics","Atualizar Estatísticas" -"Customers Reviews","Análises dos clientes" -"Reviews for %1","Reviews for %1" -Detail,Detalhe -"Products Reviews","Comentários sobre Produtos" -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report","Relatório de utilização de cupons" -"Price Rule","Regra de Preço de Carrinho de Compras" -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","Total faturado versus Relatório de pagamento" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report","Relatório do total reembolsado" -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report","Relatório do Total Encomendado" -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report","Relatório do total remessado" -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate","Relatório de Impostos de Ordens Agrupados por Taxa de Imposto" -Rate,Rate -"Abandoned carts","Carrinhos de compra abandonados" -"Applied Coupon","Cupons aplicados" -"Products in carts","Produtos no carrinho" -Carts,"Carrinhos de compra" -"Wish Lists","Wish Lists" -"Wishlist Purchase","Comprado da lista de presentes" -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted","Número de Tempos Apagados" -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock","Baixo Estoque" -"Downloads Report","Downloads Report" -Review,Análise -Reviews,Resenhas -"Customer Reviews Report","Customer Reviews Report" -"Customers Report","Relatórios de clientes" -"Product Reviews Report","Product Reviews Report" -"Sales Report","Relatório de Vendas" -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,Cupons -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts","Carrinhos de Compras Abandonados" -Statistics,Estatísticas -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed","Recentemente Visto" -"Recently Compared Products","Produtos Recentemente Comparados" -"Recently Viewed Products","Produtos Recentemente Vistos" -"Recently Compared","Comparados recentemente" -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor","Lista de produtos analisados recentemente pelo visitante" -"Number of Products to display","Números de Produtos para apresentar" -"Viewed Products Grid Template","Modelo de grade de produtos visualizados" -"Viewed Products List Template","Modelo de lista de produtos visualizados" -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor","Lista de produtos comparados recentemente e removidos da lista de comparação pelo visitante" -"Compared Products Grid Template","Modelo de grade de produtos comparados" -"Compared Products List Template","Modelo de lista de produtos comparados" -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,Críticas -"Stock Quantity","Quantidade em estoque" -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review","Última revisão" -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics","Atualizar estatísticas de tempo de vida útil" -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.","Tem certeza que deseja atualizar as estatísticas de tempo de vida útil? Pode ocorrer um impacto no desempenho durante esta operação." -"Refresh Statistics for the Last Day","Atualizar estatísticas para o Último dia" -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,indefinido -"Products in Cart","Products in Cart" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv b/app/code/Magento/Reports/i18n/zh_Hans_CN.csv deleted file mode 100644 index bf85485daa4fd..0000000000000 --- a/app/code/Magento/Reports/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,227 +0,0 @@ -Product,产品名 -Price,价格 -Quantity,商品的数量 -Products,产品 -ID,ID -SKU,SKU -Customers,客户 -"Shopping Cart",购物车 -No,否 -Subtotal,小计 -Discount,Discount -Action,操作 -Total,总数 -"Add to Cart",添加到购物车 -Orders,订单 -Bestsellers,最佳销量 -Customer,顾客姓名 -Guest,来宾 -Items,Items -Results,结果 -Uses,Uses -Average,Average -"Order Quantity",下单的数量 -Views,浏览数量 -Revenue,收入 -Tax,传真 -Shipping,运送 -"First Name",名字 -"Last Name",姓氏 -Email,电子邮件 -Refresh,Refresh -Store,Store -Yes,是 -Name,姓名 -Title,标题 -Description,描述 -From,来自 -To,发送至 -Dashboard,Dashboard -"IP Address",IP地址 -"All Websites","All Websites" -"Tax Amount","Tax Amount" -Invoiced,已出发票 -Refunded,Refunded -Canceled,Canceled -"In stock","In stock" -"Out of stock",缺货 -Day,天 -Month,月 -Year,年 -"Search Query",搜索查询 -"Search Terms",搜索条件 -"Add to Wishlist",添加到收藏 -"Add to Compare",添加并比较 -"Items in Cart",购物车中的项目 -Sales,销售 -Created,Created -"Product Reviews",产品评测 -Updated,Updated -Reports,报告 -Details,Details -Unlimited,Unlimited -Fulfilled,Fulfilled -Filter,过滤器 -Link,链接 -Report,报告 -Added,Added -"Coupon Code","Coupon Code" -"New Accounts",新账户数量 -"Customers by number of orders",按订单数排列顾客 -"Customers by Orders Total",按订单数量排列顾客 -"Match Period To","Match Period To" -Period,Period -"Empty Rows",空行 -"Invalid date specified","Invalid date specified" -"We couldn't find records for this period.","We couldn't find records for this period." -"Show Reviews","Show Reviews" -"Products Report",产品报告 -Downloads,下载 -Purchases,购买 -CSV,CSV -"Excel XML","Excel XML" -Viewed,浏览数目 -Purchased,Purchased -"Low stock",低库存 -"Products Ordered",产品已下单 -"Most Viewed",最受欢迎 -"Show Report",显示报告 -Interval,周期 -"Refresh Statistics",刷新状态 -"Customers Reviews",客户评测 -"Reviews for %1","Reviews for %1" -Detail,详情 -"Products Reviews",产品评论 -"Products Bestsellers Report","Products Bestsellers Report" -"Coupons Usage Report",优惠券使用报告 -"Price Rule",共享购物车规则 -"Sales Subtotal","Sales Subtotal" -"Sales Discount","Sales Discount" -"Sales Total","Sales Total" -"Total Invoiced vs. Paid Report","发票总数 vs. 付款报告" -"Invoiced Orders","Invoiced Orders" -"Total Invoiced","Total Invoiced" -"Paid Invoices","Paid Invoices" -"Unpaid Invoices","Unpaid Invoices" -"Total Refunded Report",退款总数报告 -"Refunded Orders","Refunded Orders" -"Total Refunded","Total Refunded" -"Online Refunds","Online Refunds" -"Offline Refunds","Offline Refunds" -"Total Ordered Report",订单总数报告 -"Sales Items","Sales Items" -Profit,Profit -Paid,Paid -"Sales Tax","Sales Tax" -"Sales Shipping","Sales Shipping" -"Total Shipped Report",发货总数报告 -Carrier/Method,Carrier/Method -"Total Sales Shipping","Total Sales Shipping" -"Total Shipping","Total Shipping" -"Order Taxes Report Grouped by Tax Rate",按税率分组的订购税费报告 -Rate,Rate -"Abandoned carts",废弃的购物车 -"Applied Coupon",已应用的优惠券 -"Products in carts",购物车中的产品 -Carts,购物车 -"Wish Lists","Wish Lists" -"Wishlist Purchase",购买自愿望清单 -"Wish List vs. Regular Order","Wish List vs. Regular Order" -"Times Deleted",已删除时间数量 -"Index type is not valid","Index type is not valid" -"Search Terms Report","Search Terms Report" -"Last updated: %1. To refresh last day's statistics, ' 'click here.","Last updated: %1. To refresh last day's statistics, ' 'click here." -"New Accounts Report","New Accounts Report" -"Order Count Report","Order Count Report" -"Customers by Number of Orders","Customers by Number of Orders" -"Order Total Report","Order Total Report" -"Ordered Products Report","Ordered Products Report" -"Product Views Report","Product Views Report" -"Products Most Viewed Report","Products Most Viewed Report" -"Low Stock Report","Low Stock Report" -"Low Stock",库存量低 -"Downloads Report","Downloads Report" -Review,评测 -Reviews,评测 -"Customer Reviews Report","Customer Reviews Report" -"Customers Report",顾客报告 -"Product Reviews Report","Product Reviews Report" -"Sales Report",销售报告 -"Best Sellers Report","Best Sellers Report" -"Tax Report","Tax Report" -"Shipping Report","Shipping Report" -"Invoice Report","Invoice Report" -"Refunds Report","Refunds Report" -"Coupons Report","Coupons Report" -Coupons,折价券 -"Customer Shopping Carts","Customer Shopping Carts" -"Products in Carts","Products in Carts" -"Abandoned Carts",放弃购物车 -Statistics,状态 -"No report code is specified.","No report code is specified." -"Recent statistics have been updated.","Recent statistics have been updated." -"We can't refresh recent statistics.","We can't refresh recent statistics." -"We updated lifetime statistics.","We updated lifetime statistics." -"We can't refresh lifetime statistics.","We can't refresh lifetime statistics." -"The product type filter specified is incorrect.","The product type filter specified is incorrect." -"Order Taxes Report Grouped by Tax Rates","Order Taxes Report Grouped by Tax Rates" -"Total Invoiced VS Paid Report","Total Invoiced VS Paid Report" -"Promotion Coupons Usage Report","Promotion Coupons Usage Report" -"Most Viewed Products Report","Most Viewed Products Report" -"Show By","Show By" -"Select Date","Select Date" -"Customers that have wish list: %1%","Customers that have wish list: %1%" -"Number of wish lists: %1","Number of wish lists: %1" -"Number of items bought from a wish list: %1","Number of items bought from a wish list: %1" -"Number of times wish lists have been shared (emailed): %1","Number of times wish lists have been shared (emailed): %1" -"Number of wish list referrals: %1","Number of wish list referrals: %1" -"Number of wish list conversions: %1","Number of wish list conversions: %1" -"Show Report For:","Show Report For:" -"Recently Viewed",最近查看过的 -"Recently Compared Products",最近比较过的产品 -"Recently Viewed Products",最近查看过的产品 -"Recently Compared",最近比较过的 -"Recently Viewed/Compared Products","Recently Viewed/Compared Products" -"Show for Current","Show for Current" -"Default Recently Viewed Products Count","Default Recently Viewed Products Count" -"Default Recently Compared Products Count","Default Recently Compared Products Count" -"Year-To-Date Starts","Year-To-Date Starts" -"Current Month Starts","Current Month Starts" -"Select day of the month.","Select day of the month." -"List of Products Recently Viewed by Visitor",最近由访客浏览过的产品列表 -"Number of Products to display",显示产品的数量 -"Viewed Products Grid Template",查看过的产品网格模板 -"Viewed Products List Template",查看的产品列表模板 -"Viewed Products Images and Names Template","Viewed Products Images and Names Template" -"Viewed Products Names Only Template","Viewed Products Names Only Template" -"Viewed Products Images Only Template","Viewed Products Images Only Template" -"List of Products Recently Compared and Removed from the Compare List by Visitor",最近由访客从比较列表中比较和删除的产品列表 -"Compared Products Grid Template",比对的产品网格模板 -"Compared Products List Template",比对的产品列表模板 -"Compared Products Images and Names Template","Compared Products Images and Names Template" -"Compared Product Names Only Template","Compared Product Names Only Template" -"Compared Product Images Only Template","Compared Product Images Only Template" -Hits,提示 -"Stock Quantity",库存数量 -"Ordered Quantity","Ordered Quantity" -"This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone.","This report uses timezone configuration data. Be sure to refresh lifetime statistics any time you change store timezone." -"Average (Approved)","Average (Approved)" -"Last Review",上次评论 -"Order Created Date","Order Created Date" -"Order Updated Date","Order Updated Date" -"The Order Updated Date report is displayed in real-time, and does not need to be refreshed.","The Order Updated Date report is displayed in real-time, and does not need to be refreshed." -"Last Invoice Created Date","Last Invoice Created Date" -"Last Credit Memo Created Date","Last Credit Memo Created Date" -"First Invoice Created Date","First Invoice Created Date" -"Refresh Lifetime Statistics",刷新寿命状态 -"Are you sure you want to refresh lifetime statistics? There can be performance impact during this operation.",您确认要刷新生命期数据吗?此操作过程可能会影响性能。 -"Refresh Statistics for the Last Day",刷新昨天的状态 -"Are you sure you want to refresh statistics for last day?","Are you sure you want to refresh statistics for last day?" -undefined,未定义 -"Products in Cart","Products in Cart" -"By Customers","By Customers" -"By Products","By Products" -Refunds,Refunds -"PayPal Settlement","PayPal Settlement" -"Order Count","Order Count" -Bestseller,Bestseller diff --git a/app/code/Magento/Review/i18n/de_DE.csv b/app/code/Magento/Review/i18n/de_DE.csv deleted file mode 100644 index 842ec89c34c4f..0000000000000 --- a/app/code/Magento/Review/i18n/de_DE.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?","Sind Sie sicher?" -Cancel,Cancel -Back,Zurück -Product,Produktname -Price,Preis -Quantity,Anzahl -ID,ID -SKU,SKU -Action,Action -Edit,Edit -Customer,Kunde -Guest,Gast -Delete,Löschen -Name,Name -Status,Status -"Sort Order",Sortierfolge -Title,Titel -"Are you sure you want to do this?","Sind Sie sicher, dass sie das tun wollen?" -Type,Typ -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,"Sichtbar in" -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value","Vorgegebener Wert" -Websites,Webseiten -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details","Details ansehen" -Created,Created -"Product Reviews",Produktreviews -Pending,Pending -Review,Review -Reviews,Bewertungen -"Save Review","Review speichern" -"Add New Review","Neues Review hinzufügen" -"Review Details",Reviewdetails -"Product Rating",Produktbewertung -"Visible In","Visible In" -Nickname,Nickname -"Summary of Review",Reviewzusammenfassung -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review","Review löschen" -"Edit Review '%1'","Edit Review '%1'" -"New Review","Neues Review" -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,Administrator -"Posted By","Geposted von" -"Summary Rating",Bewertungszusammenfassung -"Detailed Rating","Detailierte Bewertung" -"Pending Reviews RSS","Ausstehende Kundenmeinungen RSS" -"Update Status","Status aktualisieren" -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews","Ausstehende Reviews" -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews","Alle Reviews" -"Product Store Name","Product Store Name" -"Manage Ratings","Bewertungen verwalten" -"Add New Rating","Neue Bewertung hinzufügen" -"Save Rating","Bewertung speichern" -"Delete Rating","Vorgegebene Bewertung" -"Edit Rating #%1","Edit Rating #%1" -"New Rating","Neue Bewertung" -"Rating Title",Bewertungstitel -"Rating Visibility","Sichtbarkeit der Bewertung" -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information",Bewertungsinformation -"Customer Reviews",Kundenreviews -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.","Diese Bewertung wurde von einem anderen Benutzer entfernt oder existiert nicht." -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews","Meine Produktreviews" -"Your review has been accepted for moderation.","Ihr Review wurde für Moderation akzeptiert." -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available","Bewertung ist nicht verfügbar" -"Assigned Options","Zugewiesene Optionen" -"Option Title:","Option Titel:" -Rating,Bewertungsname -"You have submitted no reviews.","Sie haben keine Reviews geschrieben." -"My Recent Reviews","Meine letzten Reviews" -"View All Reviews","Alle Reviews ansehen" -"Average Customer Rating:","Durschschnittliche Kundenbewertung:" -"Your Rating:","Ihre Bewertung:" -Rating:,Bewertung -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews","Zurück zu Meinen Reviews" -"Be the first to review this product","Bewerten Sie dieses Produkt als Erster" -"Write Your Own Review","Schreiben Sie Ihr eigenes Review" -"You're reviewing:","Sie schreiben ein Review für:" -"How do you rate this product?","Wie bewerten Sie dieses Produkt?" -"%1 %2","%1 %2" -"Summary of Your Review","Zusammenfassung Ihres Reviews" -"Submit Review","Review abschicken" -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review","Eigenes Review hinzufügen" -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info","Zurück zur Hauptproduktinfo" -"Average Customer Rating","Durschschnittliche Kundenbewertung" -"Product Rating:",Produktbewertung: -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews","Zurück zu Produktreviews" -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Review/i18n/es_ES.csv b/app/code/Magento/Review/i18n/es_ES.csv deleted file mode 100644 index 62157fc9432a0..0000000000000 --- a/app/code/Magento/Review/i18n/es_ES.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?","¿Está seguro?" -Cancel,Cancel -Back,Volver -Product,"Nombre de Producto" -Price,Precio -Quantity,Cantidad -ID,ID -SKU,"Número de referencia" -Action,Action -Edit,Edit -Customer,Cliente -Guest,Invitado -Delete,Eliminar -Name,Nombre -Status,Estado -"Sort Order","Orden de selección" -Title,Título -"Are you sure you want to do this?","¿Estás seguro de querer hacer esto?" -Type,Tipo -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,"Visible en" -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value","Valor predeterminado" -Websites,"Páginas web" -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details","Ver detalles" -Created,Created -"Product Reviews","Opiniones de Producto" -Pending,Pending -Review,Revisión -Reviews,Reseñas -"Save Review","Guardar Revisión" -"Add New Review","Añadir Nueva Revisión" -"Review Details","Detalles de Revisión" -"Product Rating","Valoración de Producto" -"Visible In","Visible In" -Nickname,Apodo -"Summary of Review","Resumen de Revisión" -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review","Borrar Revisiones" -"Edit Review '%1'","Edit Review '%1'" -"New Review","Nueva Revisión" -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,Administrador -"Posted By","Publicado Por" -"Summary Rating","Valoración Resum" -"Detailed Rating","Valoración Detallada" -"Pending Reviews RSS","RSS de reseñas pendientes" -"Update Status","Actualizar Estado" -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews","Revisiones Pendientes" -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews","Todas las Revisiones" -"Product Store Name","Product Store Name" -"Manage Ratings","Administrar puntuaciones" -"Add New Rating","Agregar nueva puntuación" -"Save Rating","Guardar puntuación" -"Delete Rating","Eliminar puntuación" -"Edit Rating #%1","Edit Rating #%1" -"New Rating","Nueva puntuación" -"Rating Title","Visibilidad de la puntuación" -"Rating Visibility","Visibilidad de la puntuación" -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information","Información sobre la puntuación" -"Customer Reviews","Revisiones de Cliente" -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.","La reseña no existe o fue eliminada por otro usuario." -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews","Revisiones de Mi Producto" -"Your review has been accepted for moderation.","Tu revisión se ha aceptado para ser moderada." -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available","La puntuación no está disponible" -"Assigned Options","Opciones asignadas" -"Option Title:","Título de opciones:" -Rating,"Nombre de la puntuación" -"You have submitted no reviews.","No has enviado ninguna revisión." -"My Recent Reviews","Mis Revisiones Recientes" -"View All Reviews","Ver Todas las Revisiones" -"Average Customer Rating:","Revisión Media de Clientes:" -"Your Rating:","Tu Valoración:" -Rating:,Valoración: -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews","Volver a Mis Revisiones" -"Be the first to review this product","Sea el primero en dejar una reseña para este producto" -"Write Your Own Review","Escribir Tu Propia Revisión" -"You're reviewing:","Estás revisando:" -"How do you rate this product?","¿Cómo valoras este producto?" -"%1 %2","%1 %2" -"Summary of Your Review","Resumen de Tu Revisión" -"Submit Review","Enviar Revisión" -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review","Añadir Tu Revisión" -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info","Volver a Información Principal del Producto" -"Average Customer Rating","Valoración Media de Clientes" -"Product Rating:","Valoración de Producto:" -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews","Volver a Revisiones de Producto" -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Review/i18n/fr_FR.csv b/app/code/Magento/Review/i18n/fr_FR.csv deleted file mode 100644 index b177608ac4877..0000000000000 --- a/app/code/Magento/Review/i18n/fr_FR.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?","Etes-vous sûr ?" -Cancel,Cancel -Back,Retour -Product,"Nom produit" -Price,Prix -Quantity,Qté -ID,ID -SKU,UGS -Action,Action -Edit,Edit -Customer,Client -Guest,Invité -Delete,Supprimer -Name,Nom -Status,Statut -"Sort Order","Trier la commande" -Title,Titre -"Are you sure you want to do this?","Êtes-vous sûrs de vouloir faire celà?" -Type,Type -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,"Visible dans" -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value","Valeur par Défaut" -Websites,"Site web" -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details","Voir détails" -Created,Created -"Product Reviews","Avis sur le produit" -Pending,Pending -Review,Avis -Reviews,Commentaires -"Save Review","Enregistrer l'avis" -"Add New Review","Ajouter un nouvel avis" -"Review Details","Détails de l'avis" -"Product Rating","Évaluation du produit" -"Visible In","Visible In" -Nickname,Surnom -"Summary of Review","Résumé des avis" -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review","Supprimer l'avis" -"Edit Review '%1'","Edit Review '%1'" -"New Review","Nouvel avis" -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,Administrateur -"Posted By","Posté par" -"Summary Rating","Résumé de l'évaluation" -"Detailed Rating","Évaluation détaillée" -"Pending Reviews RSS","RSS des avis en attente" -"Update Status","Mettre à jour le statut" -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews","Avis en attente" -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews","Tous les avis" -"Product Store Name","Product Store Name" -"Manage Ratings","Gérer les Notes" -"Add New Rating","Ajouter une note" -"Save Rating","Sauver la note" -"Delete Rating","Supprimer la note" -"Edit Rating #%1","Edit Rating #%1" -"New Rating","Nouvelle note" -"Rating Title","Titre de la note" -"Rating Visibility","Visiblité de la note" -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information","Informations sur la note" -"Customer Reviews","Avis du client" -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.","Le rapport a été supprimé par un autre utilisateur ou n'existe pas." -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews","Mes avis sur les produits" -"Your review has been accepted for moderation.","Votre avis a été accepté pour la modération." -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available","Pas de note disponible" -"Assigned Options","Options Spécifiques" -"Option Title:","Titre de l'option:" -Rating,"Nom de la note" -"You have submitted no reviews.","Vous n'avez envoyé aucun avis." -"My Recent Reviews","Mes avis récents" -"View All Reviews","Voir tous les avis" -"Average Customer Rating:","Note moyenne des clients :" -"Your Rating:","Votre évaluation :" -Rating:,"Évaluation :" -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews","Retour à Mes avis" -"Be the first to review this product","Soyez le premier à évaluer ce produit" -"Write Your Own Review","Écrivez votre propre avis" -"You're reviewing:","Vous donnez votre avis sur :" -"How do you rate this product?","Comment noter-vous ce produit ?" -"%1 %2","%1 %2" -"Summary of Your Review","Résumé de votre avis" -"Submit Review","Envoyer l'avis" -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review","Ajouter votre avis" -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info","Retour à la page principale du produit" -"Average Customer Rating","Note moyenne des clients" -"Product Rating:","Évaluation du produit :" -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews","Retour aux avis sur le produit" -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Review/i18n/nl_NL.csv b/app/code/Magento/Review/i18n/nl_NL.csv deleted file mode 100644 index f285f4d92c2d0..0000000000000 --- a/app/code/Magento/Review/i18n/nl_NL.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?","Weet u het zeker?" -Cancel,Cancel -Back,Terug -Product,Productnaam -Price,Prijs -Quantity,Hoeveelheid -ID,ID -SKU,SKU -Action,Action -Edit,Edit -Customer,Klant -Guest,Gast -Delete,Verwijderen -Name,Naam -Status,Status -"Sort Order","Sorteer Bestelling" -Title,Titel -"Are you sure you want to do this?","Weet je zeker dat je dit wilt doen?" -Type,Type -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,"Zichtbaar in" -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value","Vaststaande Waarde" -Websites,Websites -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details","Details bekijken" -Created,"Gemaakt Op" -"Product Reviews",Productbeoordelingen -Pending,Pending -Review,recensie -Reviews,Reviews -"Save Review","Recensie opslaan" -"Add New Review","Voeg Nieuwe Beoordeling toe" -"Review Details","Details recensie" -"Product Rating",Productbeoordeling -"Visible In","Visible In" -Nickname,Bijnaam -"Summary of Review","Samenvatting van recensie" -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review","Verwijder Review" -"Edit Review '%1'","Edit Review '%1'" -"New Review","Nieuwe Review" -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,Administrator -"Posted By",Door -"Summary Rating","Beknopte beoordeling" -"Detailed Rating","Gedetailleerde Rating" -"Pending Reviews RSS","In Afwachting van Reviews RSS" -"Update Status","Status bijwerken" -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews","In afwachting van beoordelingen" -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews","Alle Recensies" -"Product Store Name","Product Store Name" -"Manage Ratings","Beheer Ratings" -"Add New Rating","Voeg Nieuwe Rating toe" -"Save Rating","Beoordeling opslaan" -"Delete Rating","Verwijder Rating" -"Edit Rating #%1","Edit Rating #%1" -"New Rating","Nieuwe beoordeling" -"Rating Title","Rating Titel" -"Rating Visibility","Rating Zichtbaarheid" -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information","Rating Informatie" -"Customer Reviews",Klantbeoordelingen -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.","De beoordeling werd verwijderd door een andere gebruiker of bestaat niet." -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews","Mijn Product Reviews" -"Your review has been accepted for moderation.","Uw beoordeling is geaccepteerd voor evaluatie." -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available","Rating is niet Beschikbaar" -"Assigned Options","Toegewezen Opties" -"Option Title:","Optie Titel:" -Rating,"Rating Naam" -"You have submitted no reviews.","U heeft geen recensies ingestuurd" -"My Recent Reviews","Mijn Recente Reviews" -"View All Reviews","Alle recensies bekijken" -"Average Customer Rating:","Gemiddelde Waardering door Klant:" -"Your Rating:","Uw beoordeling:" -Rating:,Beoordeling: -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews","Terug naar Mijn Beoordelingen" -"Be the first to review this product","Wees de eerste om dit product te waarderen" -"Write Your Own Review","Schrijf je eigen recensie" -"You're reviewing:","U recenseert:" -"How do you rate this product?","Hoe heeft u dit product gewaardeerd?" -"%1 %2","%1 %2" -"Summary of Your Review","Overzicht van uw recensie" -"Submit Review","Recensie insturen" -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review","Voeg Uw Beoordeling toe" -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info","Terug naar Belangrijkste Productinformatie" -"Average Customer Rating","Gemiddelde Waardering door Klant" -"Product Rating:",Productbeoordeling: -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews","Terug naar Productbeoordelingen" -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Review/i18n/pt_BR.csv b/app/code/Magento/Review/i18n/pt_BR.csv deleted file mode 100644 index 26b8898090e04..0000000000000 --- a/app/code/Magento/Review/i18n/pt_BR.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?","Tem certeza?" -Cancel,Cancel -Back,Voltar -Product,"Nome do produto" -Price,Preço -Quantity,Quant. -ID,Identidade -SKU,"Unidade de Manutenção de Estoque" -Action,Action -Edit,Edit -Customer,Cliente -Guest,Convidado -Delete,Excluir -Name,Nome -Status,Status -"Sort Order","Classificar pedido" -Title,Título -"Are you sure you want to do this?","Tem certeza de que quer fazer isso?" -Type,Tipo -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,"Visível em" -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value","Valor Predifinido" -Websites,Sites -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details","Visualizar Detalhes" -Created,"Criado Em" -"Product Reviews","Comentários sobre Produto" -Pending,Pending -Review,Análise -Reviews,Resenhas -"Save Review","Salvar análise" -"Add New Review","Adicionar novo comentário" -"Review Details","Detalhes de análise" -"Product Rating","Avaliação do produto" -"Visible In","Visible In" -Nickname,"Alcunha (Nickname)" -"Summary of Review","Resumo de análise" -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review","Excluir avaliação" -"Edit Review '%1'","Edit Review '%1'" -"New Review","Nova Resenha" -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,Administrador -"Posted By","Publicado por" -"Summary Rating","Resumo de avaliação" -"Detailed Rating","Avaliação detalhada" -"Pending Reviews RSS","Comentários RSS Pendentes" -"Update Status","Atualizar status" -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews","Comentários Pendentes" -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews","Todas as Revisões" -"Product Store Name","Product Store Name" -"Manage Ratings","Gerenciar Classificações" -"Add New Rating","Adicionar nova avaliação" -"Save Rating","Salvar avaliação" -"Delete Rating","Exclui avaliação" -"Edit Rating #%1","Edit Rating #%1" -"New Rating","Nova avaliação" -"Rating Title","Título da avaliação" -"Rating Visibility","Visibilidade da avaliação" -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information","Informações de avaliação" -"Customer Reviews","Resenhas de Cliente" -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.","A análise foi removida por outro usuário ou não existe." -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews","Análises dos meus produtos" -"Your review has been accepted for moderation.","Sua avaliação foi aceita para moderação." -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available","A avaliação não está disponível" -"Assigned Options","Opções especificadas" -"Option Title:","Título da opção:" -Rating,"Nome da avaliação" -"You have submitted no reviews.","Você não enviou nenhuma revisão." -"My Recent Reviews","Minhas análises recentes" -"View All Reviews","Visualizar todas as revisões" -"Average Customer Rating:","Média de avaliação do cliente:" -"Your Rating:","Sua avaliação:" -Rating:,Avaliação: -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews","Voltar para Meus comentários" -"Be the first to review this product","Seja a primeira pessoa a avaliar este produto" -"Write Your Own Review","Escrever sua própria revisão" -"You're reviewing:","Você está revisando:" -"How do you rate this product?","Como você avalia este produto?" -"%1 %2","%1 %2" -"Summary of Your Review","Resumo da sua análise" -"Submit Review","Enviar análise" -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review","Adicionar seu comentário" -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info","Voltar às principais informações do produto" -"Average Customer Rating","Média de avaliação do cliente" -"Product Rating:","Avaliação do produto:" -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews","Voltar para Comentários do produto" -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Review/i18n/zh_Hans_CN.csv b/app/code/Magento/Review/i18n/zh_Hans_CN.csv deleted file mode 100644 index 0c089418d9721..0000000000000 --- a/app/code/Magento/Review/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,130 +0,0 @@ -"Are you sure?",您是否确认? -Cancel,Cancel -Back,返回 -Product,产品名 -Price,价格 -Quantity,数量 -ID,ID -SKU,SKU -Action,Action -Edit,Edit -Customer,客户 -Guest,来宾 -Delete,删除 -Name,姓名 -Status,状态 -"Sort Order",排序顺序 -Title,标题 -"Are you sure you want to do this?",您是否确认要这样做? -Type,类型 -Description,Description -Previous,Previous -Next,Next -Active,Active -Visibility,可见性 -"* Required Fields","* Required Fields" -Summary,Summary -"Default Value",默认值 -Websites,网站 -"A total of %1 record(s) have been deleted.","A total of %1 record(s) have been deleted." -"A total of %1 record(s) have been updated.","A total of %1 record(s) have been updated." -"Product Name","Product Name" -Inactive,Inactive -"View Details",查看详情 -Created,创建于 -"Product Reviews",产品评测 -Pending,Pending -Review,评测 -Reviews,评测 -"Save Review",保存评测 -"Add New Review",添加新评测 -"Review Details",评测详情 -"Product Rating",产品评分 -"Visible In","Visible In" -Nickname,昵称 -"Summary of Review",评测汇总 -"Save and Previous","Save and Previous" -"Save and Next","Save and Next" -"Delete Review",删除评价 -"Edit Review '%1'","Edit Review '%1'" -"New Review",新评测 -"%2 %3 (%4)","%2 %3 (%4)" -Administrator,管理员 -"Posted By",发布者 -"Summary Rating",评分汇总 -"Detailed Rating",详细评级 -"Pending Reviews RSS",挂起评测RSS -"Update Status",更新状态 -"Pending Reviews of Customer `%1`","Pending Reviews of Customer `%1`" -"Pending Reviews",挂起的评测 -"All Reviews of Customer `%1`","All Reviews of Customer `%1`" -"All Reviews of Product `%1`","All Reviews of Product `%1`" -"All Reviews",所有评测 -"Product Store Name","Product Store Name" -"Manage Ratings",管理评级 -"Add New Rating",添加新评级 -"Save Rating",保存评分 -"Delete Rating",删除评级 -"Edit Rating #%1","Edit Rating #%1" -"New Rating",新评级 -"Rating Title",评级标题 -"Rating Visibility",评级能见度 -"Is Active","Is Active" -"Please specify a rating title for a store, or we'll just use the default value.","Please specify a rating title for a store, or we'll just use the default value." -"Rating Information",评级信息 -"Customer Reviews",顾客评测 -"Edit Review","Edit Review" -"The review was removed by another user or does not exist.",评论已被另一用户删除,或评论不存在。 -"You saved the review.","You saved the review." -"Something went wrong while saving this review.","Something went wrong while saving this review." -"The review has been deleted.","The review has been deleted." -"Something went wrong deleting this review.","Something went wrong deleting this review." -"Please select review(s).","Please select review(s)." -"An error occurred while deleting record(s).","An error occurred while deleting record(s)." -"An error occurred while updating the selected review(s).","An error occurred while updating the selected review(s)." -"We can't get the product ID.","We can't get the product ID." -"An error occurred while saving review.","An error occurred while saving review." -"You saved the rating.","You saved the rating." -"You deleted the rating.","You deleted the rating." -Ratings,Ratings -"My Product Reviews",我的产品评价 -"Your review has been accepted for moderation.",您的评测已被管理员批准。 -"We cannot post the review.","We cannot post the review." -"Storage key was not set","Storage key was not set" -Approved,Approved -"Not Approved","Not Approved" -"The review summary field can't be empty.","The review summary field can't be empty." -"The nickname field can't be empty.","The nickname field can't be empty." -"The review field can't be empty.","The review field can't be empty." -"Rating isn't Available",评级不可用 -"Assigned Options",分配的选项 -"Option Title:",选项标题: -Rating,评级名称 -"You have submitted no reviews.",您尚未提交评测。 -"My Recent Reviews",我的最近评价 -"View All Reviews",查看所有评测 -"Average Customer Rating:",客户平均分: -"Your Rating:",您的评分: -Rating:,评分: -"Your Review (submitted on %1):","Your Review (submitted on %1):" -"Review (submitted on %1):","Review (submitted on %1):" -"Back to My Reviews",返回我的评测 -"Be the first to review this product",作为评论该产品的第一人 -"Write Your Own Review",撰写您自己的评测 -"You're reviewing:",您正在评测: -"How do you rate this product?",您如何评价该产品? -"%1 %2","%1 %2" -"Summary of Your Review",您的评测汇总 -"Submit Review",提交评测 -"Only registered users can write reviews. Please, log in or register","Only registered users can write reviews. Please, log in or register" -Review(s),Review(s) -"Add Your Review",添加您的评测 -"%1 Review(s)","%1 Review(s)" -"Review by","Review by" -"Posted on","Posted on" -"Back to Main Product Info",返回产品信息主页 -"Average Customer Rating",客户平均分 -"Product Rating:",产品评分: -"Product Review (submitted on %1):","Product Review (submitted on %1):" -"Back to Product Reviews",返回产品评测 -"Allow Guests to Write Reviews","Allow Guests to Write Reviews" diff --git a/app/code/Magento/Rss/i18n/de_DE.csv b/app/code/Magento/Rss/i18n/de_DE.csv deleted file mode 100644 index 35b6fd52bb4c0..0000000000000 --- a/app/code/Magento/Rss/i18n/de_DE.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,Zwischensumme -Discount,Rabatt -"Grand Total",Gesamtbetrag -Tax,Steuer -Catalog,Catalog -From:,Von: -To:,An: -"Gift Message",Geschenkmitteilung -Message:,Nachricht: -"Click for price","Klicken für den Preis" -"New Products","Neue Produkte" -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products","Produkte aud dem geringen Lagerbestand" -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)","Ausstehender Produktbericht" -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products",Sonderangebote -Coupons/Discounts,Gutscheine/Rabatte -"New Orders","Neue Bestellungen" -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds","Verschiedene RSS-Feeds" -"Get Feed","RSS-Feed abonnieren" -"Category Feeds","Feeds aus Kategorien" -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Versand und Abwicklung" -"RSS Feeds",RSS-Feeds -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rss/i18n/es_ES.csv b/app/code/Magento/Rss/i18n/es_ES.csv deleted file mode 100644 index 52bce2186bd3a..0000000000000 --- a/app/code/Magento/Rss/i18n/es_ES.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,Subtotal -Discount,Descuento -"Grand Total","Suma total" -Tax,Impuestos -Catalog,Catalog -From:,Desde: -To:,A: -"Gift Message","Mensaje de Regalo" -Message:,Mensaje: -"Click for price","Clic para precio" -"New Products","Nuevos productos" -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products","Productos con baja cantidad en inventario" -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)","Reseñas pendientes para el producto" -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products","Productos especiales" -Coupons/Discounts,Cupones/descuentos -"New Orders","Nuevos pedidos" -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds","Fuentes varias" -"Get Feed","Obtener fuente" -"Category Feeds","Fuentes por categoría" -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Envío y preparación" -"RSS Feeds","Fuentes RSS" -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rss/i18n/fr_FR.csv b/app/code/Magento/Rss/i18n/fr_FR.csv deleted file mode 100644 index 24f59bcac1ea4..0000000000000 --- a/app/code/Magento/Rss/i18n/fr_FR.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,Sous-total -Discount,Discount -"Grand Total","Total final" -Tax,Taxe -Catalog,Catalog -From:,"De :" -To:,"A :" -"Gift Message","Message cadeau" -Message:,"Message :" -"Click for price","Cliquez pour le prix" -"New Products","Nouveaux produits" -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products","Produits à stock faible" -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)","Produits en attente de critique(s)" -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products","Produits spéciaux" -Coupons/Discounts,Coupons/promotions -"New Orders","Nouvelles commandes" -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds","Flux divers" -"Get Feed","Obtenir le flux" -"Category Feeds","Flux de catégorie" -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Expédition & Traitement" -"RSS Feeds","Flux RSS" -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rss/i18n/nl_NL.csv b/app/code/Magento/Rss/i18n/nl_NL.csv deleted file mode 100644 index 05d13dbc9179b..0000000000000 --- a/app/code/Magento/Rss/i18n/nl_NL.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,Subtotaal -Discount,Korting -"Grand Total",Totaal -Tax,Belasting -Catalog,Catalog -From:,Van: -To:,Aan: -"Gift Message",Cadeauboodschap -Message:,Bericht: -"Click for price","Klik voor de prijs" -"New Products","Nieuwe Producten" -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products","Lage Voorraad Producten" -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)","In afwachting van productbeoordeling(en)" -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products","Speciale Producten" -Coupons/Discounts,Waardebonnen/Kortingen -"New Orders","Nieuwe Bestellingen" -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds","Diverse Feeds" -"Get Feed","Verkrijg Feed" -"Category Feeds","Categorie feeds" -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Verzending & in Behandeling" -"RSS Feeds","RSS Feeds" -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rss/i18n/pt_BR.csv b/app/code/Magento/Rss/i18n/pt_BR.csv deleted file mode 100644 index 42b90e2a5e660..0000000000000 --- a/app/code/Magento/Rss/i18n/pt_BR.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,Subtotal -Discount,Desconto -"Grand Total","Total geral" -Tax,Taxas -Catalog,Catalog -From:,De: -To:,Para: -"Gift Message","Mensagem de presente" -Message:,Mensagem: -"Click for price","Clique para o preço" -"New Products","Novos Produtos" -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products","Produtos com estoque reduzido" -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)","Esperando avaliação(ões) do produto" -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products","Produtos especiais" -Coupons/Discounts,Cupons/Descontos -"New Orders","Novos pedidos" -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds","Feeds diversos" -"Get Feed","Receber Feed" -"Category Feeds","Feeds da categoria" -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling","Transporte & Manuseio" -"RSS Feeds","RSS Feeds" -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rss/i18n/zh_Hans_CN.csv b/app/code/Magento/Rss/i18n/zh_Hans_CN.csv deleted file mode 100644 index 719163ef6a9b7..0000000000000 --- a/app/code/Magento/Rss/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,56 +0,0 @@ -Subtotal,小计 -Discount,折扣 -"Grand Total",总计 -Tax,传真 -Catalog,Catalog -From:,来自: -To:,至: -"Gift Message",礼品消息 -Message:,信息: -"Click for price",单击获取价格 -"New Products",新产品 -Wishlist,Wishlist -"New Products from %1","New Products from %1" -"Low Stock Products",产品库存低 -"%1 has reached a quantity of %2.","%1 has reached a quantity of %2." -"Pending product review(s)",未决的产品评论 -"Product: %2
","Product: %2
" -"Summary of review: %1
","Summary of review: %1
" -"Review: %1
","Review: %1
" -"Store: %1
","Store: %1
" -"Click here to view the review.","Click here to view the review." -"Product: ""%1"" reviewed by: %2","Product: ""%1"" reviewed by: %2" -"%1 - Discounts and Coupons","%1 - Discounts and Coupons" -"%1 - Special Products","%1 - Special Products" -"Special Expires On: %1","Special Expires On: %1" -"Price: %1","Price: %1" -"Special Price: %1","Special Price: %1" -"Special Products",特殊商品 -Coupons/Discounts,代金券/折扣 -"New Orders",新订单 -"Order #%1 created at %2","Order #%1 created at %2" -"Order # %1 Notification(s)","Order # %1 Notification(s)" -"Details for %1 #%2","Details for %1 #%2" -"Notified Date: %1
","Notified Date: %1
" -"Comment: %1
","Comment: %1
" -"Current Status: %1
","Current Status: %1
" -"Total: %1
","Total: %1
" -"%1's Wishlist","%1's Wishlist" -Comment:,Comment: -"We cannot retrieve the wish list.","We cannot retrieve the wish list." -"There was no RSS feed enabled.","There was no RSS feed enabled." -"Error in processing xml. %1","Error in processing xml. %1" -"Subscribe to RSS Feed","Subscribe to RSS Feed" -"Miscellaneous Feeds",杂项源订阅 -"Get Feed",获取源 -"Category Feeds",分类源 -"There are no Rss Feeds.","There are no Rss Feeds." -"Customer Name: %1","Customer Name: %1" -"Purchased From: %1","Purchased From: %1" -"Discount (%1)","Discount (%1)" -"Shipping & Handling",运送与手续费 -"RSS Feeds","RSS 订阅源" -"Rss Config","Rss Config" -"Enable RSS","Enable RSS" -"Top Level Category","Top Level Category" -"Customer Order Status Notification","Customer Order Status Notification" diff --git a/app/code/Magento/Rule/i18n/de_DE.csv b/app/code/Magento/Rule/i18n/de_DE.csv deleted file mode 100644 index 05d08f9aec3d8..0000000000000 --- a/app/code/Magento/Rule/i18n/de_DE.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,Entfernen -Apply,Anwenden -Add,Hinzufügen -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination",Bedingungenkombination -contains,enthält -"Open Chooser","Auswahl öffnen" -"is one of","ist einer von" -"is not one of","ist nicht einer von" -"equals or greater than","gleich oder größer als" -"equals or less than","gleich oder kleiner als" -"greater than","größer als" -"less than","weniger als" -is,ist -"is not","ist nicht" -"Invalid discount amount.","Ungültiger Rabattbetrag:" -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.","Die Webseiten müssen angegeben werden." -"Customer Groups must be specified.","Die Kundengruppen müssen angegeben werden." -to,bis -by,von -"Please choose an action to add.","Please choose an action to add." -"Perform following actions","Folgende Aktionen ausführen" -"does not contain","enthält nicht" -"Please choose a condition to add.","Please choose a condition to add." -ALL,ALLE -ANY,JEDE -TRUE,WAHR -FALSE,FALSCH -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Rule/i18n/es_ES.csv b/app/code/Magento/Rule/i18n/es_ES.csv deleted file mode 100644 index ad7b7b3b5c7eb..0000000000000 --- a/app/code/Magento/Rule/i18n/es_ES.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,Eliminar -Apply,Solicitar -Add,Agregar -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination","Combinación de condiciones" -contains,contiene -"Open Chooser","Abrir selector" -"is one of","es uno de" -"is not one of","no es uno de" -"equals or greater than","igual o mayor que" -"equals or less than","igual o menor que" -"greater than","mayor que" -"less than","menor que" -is,Es. -"is not","No es." -"Invalid discount amount.","La cantidad del descuento no es válida." -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.","Se deben especificar las páginas web." -"Customer Groups must be specified.","Se deben especificar los grupos de clientes." -to,a -by,por -"Please choose an action to add.","Please choose an action to add." -"Perform following actions","Realizar las siguientes acciones" -"does not contain","no contiene" -"Please choose a condition to add.","Please choose a condition to add." -ALL,TODO -ANY,ALGUNOS -TRUE,VERDADERO -FALSE,FALSO -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Rule/i18n/fr_FR.csv b/app/code/Magento/Rule/i18n/fr_FR.csv deleted file mode 100644 index cc9555df6a9a2..0000000000000 --- a/app/code/Magento/Rule/i18n/fr_FR.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,Supprimer -Apply,Appliquer -Add,Ajouter -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination","Combinaison de conditions" -contains,contient -"Open Chooser","Ouvrir choisisseur" -"is one of","est un de" -"is not one of","n'est pas un de" -"equals or greater than","supérieur ou égal à" -"equals or less than","inférieur ou égal à" -"greater than","plus grand que" -"less than","inférieur à" -is,est -"is not","n'est pas" -"Invalid discount amount.","Montant de réduction invalide" -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.","Les sites internet doivent être spécifiés." -"Customer Groups must be specified.","Les groupes clients doivent être spécifiés." -to,à -by,par -"Please choose an action to add.","Please choose an action to add." -"Perform following actions","Exécuter les actions suivantes" -"does not contain","ne contient pas" -"Please choose a condition to add.","Please choose a condition to add." -ALL,TOUS -ANY,"N'IMPORTE LEQUEL" -TRUE,VRAI -FALSE,FAUX -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Rule/i18n/nl_NL.csv b/app/code/Magento/Rule/i18n/nl_NL.csv deleted file mode 100644 index 71ff4c40a6dfd..0000000000000 --- a/app/code/Magento/Rule/i18n/nl_NL.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,Verwijderen -Apply,Toepassen -Add,Toevoegen -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination","Voorwaarden Combinatie" -contains,bevat -"Open Chooser","Open Kiezer" -"is one of","is een van de" -"is not one of","is niet een van de" -"equals or greater than","Gelijk aan of minder dan" -"equals or less than","Gelijk aan of minder dan" -"greater than","groter dan" -"less than","minder dan" -is,is -"is not","is niet" -"Invalid discount amount.","Ongeldige hoeveelheid korting." -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.","Websites moeten worden opgegeven." -"Customer Groups must be specified.","Klanten groep moeten worden opgegeven." -to,naar -by,door -"Please choose an action to add.","Please choose an action to add." -"Perform following actions","Voer volgende acties uit" -"does not contain","Bevat niet" -"Please choose a condition to add.","Please choose a condition to add." -ALL,ALLE -ANY,ELKE -TRUE,WAAR -FALSE,VALS -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Rule/i18n/pt_BR.csv b/app/code/Magento/Rule/i18n/pt_BR.csv deleted file mode 100644 index 7a31980ab6d51..0000000000000 --- a/app/code/Magento/Rule/i18n/pt_BR.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,Remover -Apply,Solicitar -Add,Adicionar -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination","Combinação de condições" -contains,contém -"Open Chooser","Abrir Seletor" -"is one of","é um de" -"is not one of","não é um de" -"equals or greater than","é igual ou maior que" -"equals or less than","é igual ou menor que" -"greater than","superior a" -"less than","menos que" -is,é -"is not","não é" -"Invalid discount amount.","Quantidade de desconto inválida." -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.","Os Websites devem ser especificados." -"Customer Groups must be specified.","Os Grupos de Clientes devem ser especificados." -to,para -by,por -"Please choose an action to add.","Please choose an action to add." -"Perform following actions","Executar seguintes ações" -"does not contain","não contém" -"Please choose a condition to add.","Please choose a condition to add." -ALL,TUDO -ANY,"QUALQUER UM" -TRUE,VERDADEIRO -FALSE,FALSO -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Rule/i18n/zh_Hans_CN.csv b/app/code/Magento/Rule/i18n/zh_Hans_CN.csv deleted file mode 100644 index 5e55eb6a7599a..0000000000000 --- a/app/code/Magento/Rule/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,33 +0,0 @@ -Remove,删除 -Apply,应用 -Add,添加 -"Please wait, loading...","Please wait, loading..." -"Attribute Set","Attribute Set" -Category,Category -"Conditions Combination",条件组合 -contains,包含 -"Open Chooser",打开选择器 -"is one of",属于 -"is not one of",不属于 -"equals or greater than",等于或大于 -"equals or less than",等于或小于 -"greater than",大于 -"less than",小于 -is,是 -"is not",非 -"Invalid discount amount.",无效的折扣额。 -"End Date must follow Start Date.","End Date must follow Start Date." -"Websites must be specified.",必须指定网站。 -"Customer Groups must be specified.",必须指定顾客群体。 -to,至 -by,由 -"Please choose an action to add.","Please choose an action to add." -"Perform following actions",执行下列操作 -"does not contain",不包含 -"Please choose a condition to add.","Please choose a condition to add." -ALL,全部 -ANY,任意 -TRUE,真 -FALSE,否 -"If %1 of these conditions are %2:","If %1 of these conditions are %2:" -"There is no information about associated entity type ""%1"".","There is no information about associated entity type ""%1""." diff --git a/app/code/Magento/Sales/i18n/de_DE.csv b/app/code/Magento/Sales/i18n/de_DE.csv deleted file mode 100644 index 736a5f91b8f7b..0000000000000 --- a/app/code/Magento/Sales/i18n/de_DE.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,Entfernen -Close,Schließen -Cancel,Abbrechen -Back,Zurück -"Add Products","Produkte hinzufügen" -"Update Items and Qty's","Artikel und Mengen aktualisieren" -Product,Produkt -Price,Preis -Quantity,Quantity -Products,Produkte -ID,ID -SKU,Artikelposition -Apply,Anwenden -Configure,Konfigurieren -"Shopping Cart",Einkaufswagen -"Quote item id is not received.","Die angegebene Artikelnummer wurde nicht empfangen." -"Quote item is not loaded.","Der bestellte Artikel wird nicht geladen." -No,Nein -"Apply Coupon Code","Coupon Code anwenden" -"Remove Coupon Code","Gutscheincode entfernen" -Qty,Anzahl -"Row Subtotal",Zeilengesamtsumme -Action,Aktion -"No ordered items","Keine bestellten Artikel" -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,Zwischensumme: -"Excl. Tax","ohne Steuern" -Total,Gesamt -"Incl. Tax","Steuer inkludieren" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Auf Wunschzettel schreiben" -Edit,Bearbeiten -Item,Objekt -"Add to Cart","Zum Warenkorb hinzufügen" -Sku,SKU -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,Aufträge -Customer,Kunde -Guest,Gast -"Account Information",Kontoinformationen -"First Name",Kundenname -"Last Name","Nachname des Kunden" -Email,"Kunden Email" -Refresh,Aktualisieren -Enable,Enable -General,General -Yes,Ja -Name,Name -Status,Status -Enabled,Enabled -Title,Titel -Home,Home -Any,Any -From,Von -To,An -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,Bestell-Nr. -"Order #%1","Order #%1" -"Shipping Amount",Lieferungsbetrag -"Tax Amount",Steuerbetrag -View,Ansicht -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,"Nicht verfügbar" -Ordered,Bestellt -Invoiced,"In Rechnung gestellt." -Shipped,Versandt -Refunded,Rückerstattet -Canceled,Storniert -From:,Von: -To:,An: -"Gift Message",Grußnachricht -Message:,Nachricht: -"Tier Pricing",Preisebene -"Go to Home Page","Go to Home Page" -"Customer Group",Kundengruppe -Closed,Geschlossen -"Product Name",Produktname -"Discount Amount",Rabattbetrag -Country,Land -State/Province,Staat/Bezirk -"Payment Information",Profilinformation -"Shipping Information",Lieferungsinformation -"Shipping Method",Liefermethode -"Clear Shopping Cart","Einkaufswagen leeren" -City,Stadt -"Zip/Postal Code",Postleitzahl -"Email Address",E-Mail-Adresse -Company,Firma -Address,Address -"Street Address","Anschrift (Straße, Hausnummer, PLZ)" -Telephone,Telefon -"Save in address book","Speichern im Adressbuch" -Continue,Weiter -"Order #","Order #" -"No Payment Methods","Keine Zahlungsmethoden" -"Billing Address",Rechnungsadresse -"Shipping Address",Lieferungsadresse -"Payment Method","Name der Bezahlungsmethode" -Sales,Verkäufe -Created,"Erstellte At" -Select,Auswählen -Comment,Kommentar -%1,%1 -Date,Datum -"Add New Address","Neue Adresse hinzufügen" -"Purchase Date","Purchase Date" -"Bill-to Name","Rechnung auf Namen" -"Ship-to Name","Lieferung auf Namen" -"Order Total","Gesamtsumme Bestellung" -"Purchase Point","Erworben von (Geschäft)" -"Recent Orders","Kürzlich aufgegebene Bestellungen" -Notified,Benachrichtigt -"Notify Customer by Email","Kunde per E-Mail benachrichtigen" -Billing,Abrechnung -"Newsletter Subscription",Newsletter-Abonnement -"Order Status","Status des Auftrags" -"Wish List","Wish List" -Pending,Ausstehend -"View Order","Bestellung ansehen" -Amount,Summe -Message,Nachricht -Information,Information -"Gift Options",Geschenkoptionen -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,Neu -"Custom Price",Kundenpreis -Processing,Bearbeitung -"Add To Order","Zur Bestellung hinzufügen" -"Configure and Add to Order","Konfigurieren und zum Auftrag hinzufügen" -"No items","Keine Artikel" -Authorization,Bewilligung -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.","Zahlungen beinhalten nicht das Speichern der Objekte." -"Transaction ID",TransaktionsID -"Order ID",BestellungsID -Void,Leer -"Created At","Created At" -"Payment Method:",Zahlungsweise: -"Ship To","Lieferung an" -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)","G.B. (Basis)" -"Grand Total (Purchased)","G.T. (gekauft)" -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,CSV -"Excel XML",Excel-XML -"Total Refunded","Gesamtsumme rückerstattet" -Paid,bezahlt -Coupons,Gutscheine -"Recently Viewed","Kürzlich angesehen" -"Recently Compared Products","zuletzt verglichene Artikel" -"Recently Viewed Products","Kürzlich angesehene Produkte" -Print,Ausdrucken -"Submit Comment","Kommentar abschicken" -Returned,Zurückgesendet -"Order Date",Bestelldatum -"Order # ","Order # " -"Order Date: ",Bestelldatum -"Comment Text",Kommentartext -"Visible on Frontend","Am Frontende sichtbar" -"Not Notified","Nicht benachrichtigt" -"Please select products.","Please select products." -Number,Nummer -"Order Date: %1","Order Date: %1" -"Shipping & Handling","Versand und Abwicklung" -"Credit Memos",Gutschriften -Invoices,Rechnungen -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order","Neue Bestellung anlegen" -"Save Order Address","Bestelladresse speichern" -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information",Lieferadressen-Information -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order","Bestellung abschicken" -"Are you sure you want to cancel this order?","Sind Sie sicher, dass Sie diese Bestellung stornieren wollen?" -"Order Comment","Kommentar zur Bestellung" -"Please select a customer.","Please select a customer." -"Create New Customer","Neuen Kunden anlegen" -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer","Neue Bestellung für neuen Kunden anlegen" -"Items Ordered","Bestellte Artikel" -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty","Bestellte Menge des Artikels" -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - Geben Sie benutzerdefinierten Preis inklusive Steuer ein" -"* - Enter custom price excluding tax","* - Geben Sie benutzerdefinierten Preis ohne Steuer ein" -"This product does not have any configurable options","Dieses Produkt hat keine Einstellungsmöglichkeiten." -"Add Selected Product(s) to Order","Ausgewählte Produkte zur Bestellung hinzufügen" -"Update Changes","Änderungen aktualisieren" -"Are you sure you want to delete all items from shopping cart?","Sind Sie sicher, dass Sie alle Artikel aus dem Einkaufswagen löschen möchten?" -"Products in Comparison List","Artikel in der Vergleichsliste" -"Last Ordered Items","Zuletzte bestellte Artikel" -"Please select a store.","Please select a store." -"Order Totals","Gesamtbeträge Bestellung" -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)","Erstattung Versand (inkl. Steuer)" -"Refund Shipping (Excl. Tax)","Erstattung Versand (exkl. Steuer)" -"Refund Shipping","Erstattung Versand" -"Update Qty's","Anzahl aktualisieren" -Refund,Erstatten -"Refund Offline",Offline-Rückerstattung -"Paid Amount","Bezahlter Betrag" -"Refund Amount",Erstattungsbetrag -"Shipping Refund",Versanderstattung -"Order Grand Total","Gesamtsumme Bestellung" -"Adjustment Refund",Anpassungsrückerstattung -"Adjustment Fee",Anpassungsgebühr -"Send Email","E-Mail senden" -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent","die Gutschrifts-E-Mail wurde nicht gesendet" -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund",Erstattungsbetrag -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment","Rechnung und Lieferung vorlegen" -"Submit Invoice","Rechnung einreichen" -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo",Gutschrift -Capture,Erfassung -"the invoice email was sent","die Rechnungs-E-Mail wurde versendet" -"the invoice email is not sent","die Rechnungs-E-Mail ist nicht versendet" -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses",Bestellstatus -"Create New Status","Neuen Status anlegen" -"Assign Status to State","Staat einen Status zuweisen" -"Save Status Assignment","Statuszuweisung speichern" -"Assign Order Status to State","Staat einen Auftragsstatus zuweisen" -"Assignment Information","Informationen zur Zuweisung" -"Order State",Bestellstatus -"Use Order Status As Default","Bestellstatus als Standard verwenden" -"Visible On Frontend","Visible On Frontend" -"Edit Order Status","Auftragsstatus bearbeiten" -"Save Status","Status speichern" -"New Order Status","Neuer Bestellstatus" -"Order Status Information",Bestellstatus-Information -"Status Code",Statuscode -"Status Label",Statuslabel -"Store View Specific Labels","Ladenansicht Spezifische Marken" -"Total Paid","Gesamtsumme bezahlt" -"Total Due","Gesamtsumme fällig" -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?","Sind Sie sicher, dass Sie die Zahlung ungültig machen wollen?" -Hold,Warten -hold,hold -Unhold,Freigabe -unhold,unhold -"Are you sure you want to accept this payment?","Sind Sie sicher, dass Sie diese Zahlung akzeptieren wollen?" -"Accept Payment","Zahlung akzeptieren" -"Are you sure you want to deny this payment?","Sind Sie sicher, dass Sie diese Zahlung ablehnen wollen?" -"Deny Payment","Bezahlung verweigern" -"Get Payment Update","Zahlungsaktualisierung abrufen" -"Invoice and Ship","Rechnung und Auslieferung" -Invoice,Rechnung -Ship,Versenden -Reorder,"Wieder bestellen" -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos","Gutschriften anfordern" -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History",Kommentarhistorie -"Order History",Bestellungshistorie -"Order Information",Bestellungsinformationen -"Order Invoices","Rechnungen anfordern" -Shipments,Lieferungen -"Order Shipments","Sendungen zur Bestellung" -Transactions,Transaktionen -"Order View",Bestellungsansicht -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,Holen -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,Schlüssel -Value,Wert -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders","Zurück zu Meine Bestellungen" -"View Another Order","Eine andere Bestellung ansehen" -"About Your Refund","Informationen zu Ihrer Rückerstattung" -"My Orders","Meine Bestellungen" -"About Your Invoice","Informationen zu Ihrer Rechnung" -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged","Gesamtsumme die belastet werden soll" -Unassign,"Zuweisung entfernen" -"We sent the message.","We sent the message." -"This order no longer exists.","Diese Bestellung existiert nicht mehr." -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.","Die Bezahlung ist akzeptiert worden." -"The payment has been denied.","Die Zahlung wurde abgelehnt." -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.","Keine Bestellung(en) zurückgestellt." -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.","Es gibt keine ausdruckbaren Dokumente verbunden mit den gewählten Bestellungen." -"The payment has been voided.","Die Zahlung wurde ungültig gemacht." -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.","Der Gutscheincode ist akzeptiert worden." -"New Order","Neue Bestellung" -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice","Neue Rechnung" -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status","Neuen Auftragsstatus anlegen" -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.","Bei der Zuweisung des Auftragsstatus ist ein Fehler aufgetreten. Status wurde nicht zugewiesen." -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns","Bestellungen und Retouren" -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State","Unbekannter Status" -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status","Unbekannter Status" -Backordered,Rückständig -Partial,Unvollständig -Mixed,Gemischt -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.","Ungültige Benachrichtigung registriert." -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.","Zahlung online akzeptiert." -"There is no need to approve this payment.","Diese Zahlung muss nicht bestätigt werden." -"Registered notification about approved payment.","Registrierte Benachrichtigung über akzeptierte Bezahlung." -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.","Diese Bezahlung muss nicht verweigert werden." -"Registered notification about denied payment.","Benachrichtigung über abgelehnte Zahlung registriert." -"Registered update about approved payment.","Aktualisierung über bestätigte Zahlung registriert." -"Registered update about denied payment.","Registrierte Aktualisierung bezüglich abgelehnter Zahlung." -"There is no update for the payment.","Es gibt kein Update zur Zahlung." -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.","Ungültige Berechtigung." -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed","Die Reihenfolge für existierende Transaktionen festzulegen ist nicht gestattet" -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:",Liefermethode: -"Total Shipping Charges","Gesamte Versandkosten" -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","Gesamt (ex)" -"Total (inc)","Gesamtsumme (ink)" -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","Packzettel #" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment","Ausstehende Bezahlung" -"On Hold",Zurückgestellt -Complete,Vollständig -"Suspected Fraud","Betrug vermutet" -"Payment Review",Bezahlungsüberprüfung -"Changing address information will not recalculate shipping, tax or other order amount.","Durch das Ändern von Adressinformationen werden Versandkosten, Steuern oder ein sonstiger Bestellwert nicht neu berechnet." -"Order Comments","Kommentare zur Bestellung" -"Order Currency:","Währung der Bestellung:" -"Select from existing customer addresses:","Wählen Sie eine existierende Kundenadresse aus:" -"Same As Billing Address","Identisch mit Rechnungsadresse" -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order","Geschenkmitteilung für die gesamte Bestellung" -"Move to Shopping Cart","In den Einkaufskorb legen" -"Subscribe to Newsletter","Newsletter abonnieren" -"Click to change shipping method","Klicken Sie um die Versandart zu ändern" -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates","Versandarten und -kosten abrufen" -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments","Kommentare anhängen" -"Email Order Confirmation","E-Mail mit Auftragsbestätigung" -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund","Artikel zur Rückvergütung" -"Return to Stock","Zurück zum Inventar" -"Qty to Refund","Zu erstattende Menge" -"Row Total",Zeilensumme -"No Items To Refund","Keine Artikel für Erstattung" -"Credit Memo Comments","Gutschrift Kommentare" -"Refund Totals",Gesamtrückerstattung -"Email Copy of Credit Memo","E-Mail-Kopie der Gutschrift" -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded","Rückvergütete Artikel" -"No Items","Keine Artikel" -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment","Lieferung erstellen" -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice","Zu berechnende Menge" -"Invoice History","Invoice History" -"Invoice Comments","Kommentare zur Rechnung" -"Invoice Totals","Invoice Totals" -"Capture Amount",Erfassungssumme -"Capture Online","Online Erfassung" -"Capture Offline","Offline Erfassung" -"Not Capture","Nicht gespeichert" -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice","Rechnungskopie per E-Mail senden" -"Items Invoiced","In Rechnung gestellte Artikel" -"Total Tax",Gesamtsteuern -"From Name","Von Name" -"To Name",Name -"Add Order Comments","Bestellungskommentare hinzufügen" -"Notification Not Applicable","Benachrichtigung nicht möglich" -"the order confirmation email was sent","die Auftragsbestätigungs-E-Mail wurde versendet" -"the order confirmation email is not sent","die Auftragsbestätigungs-E-Mail ist nicht versendet" -"Order Date (%1)","Order Date (%1)" -"Purchased From","Gekauft von" -"Link to the New Order","Link zu neuer Bestellung" -"Link to the Previous Order","Link zu vorheriger Bestellung" -"Placed from IP","Bestellt von IP Nummer" -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status",Artikelstatus -"Original Price",Originalpreis -"Tax Percent","Steuer Prozent" -"Transaction Data","Transaction Data" -"Parent Transaction ID","Ursprüngliche Transaktions-ID" -"Transaction Type",Transaktionstyp -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order","Grußnachricht für diesen Auftrag" -"Shipped By","Geliefert von" -"Tracking Number",Verfolgungsnummer -"Billing Last Name","Nachname in der Rechnung" -"Find Order By:","Bestellungen finden durch:" -"ZIP Code","ZIP Code" -"Billing ZIP Code","PLZ in der Rechnung" -"Print All Refunds","Alle Rückerstattungen ausdrucken" -"Refund #","Erstatten #" -"Print Refund","Erstattung drucken" -"You have placed no orders.","Sie haben keine Bestellungen aufgegeben." -"Order Date: %1","Order Date: %1" -"No shipping information available","Keine Versandinformation verfügbar" -"Print Order","Bestellung ausdrucken" -"Subscribe to Order Status","Zum Auftragsstatus anmelden" -"Print All Invoices","Alle Rechnungen drucken" -"Invoice #","Rechnung #" -"Print Invoice","Rechnung drucken" -"Qty Invoiced","In Rechnung gestellte Menge" -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped","Artikel versandt" -"Qty Shipped","Gelieferte Menge" -"View All","Alle ansehen" -"Gift Message for This Order","Geschenknachricht für diese Bestellung" -"About Your Order","Über Ihre Bestellung" -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title","Kundenspezifischen Titel festlegen" -Phone,Phone -"Default Template",Standardvorlage -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,Lieferung -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form","Suchmaske Bestellungen und Rücksendungen" -"PDF Credit Memos","PDF Gutschriften" -"PDF Invoices","PDF Rechnungen" -"Invoice Date",Rechnungsdatum -"ZIP/Post Code",Postleitzahl -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS","RSS für neue Bestellung" -"Print Invoices","Rechnungen ausdrucken" -"Print Packing Slips","Packbelege ausdrucken" -"Print Credit Memos","Gutschriften ausdrucken" -"Print All","Alles ausdrucken" -"Print Shipping Labels","Versandetiketten drucken" -"Ship Date",Versanddatum -"Total Quantity",Gesamtanzahl -"Default Status",Standardstatus -"State Code and Title","State Code and Title" -"PDF Packing Slips","PDF Packzettel" -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/Sales/i18n/es_ES.csv b/app/code/Magento/Sales/i18n/es_ES.csv deleted file mode 100644 index d524aad0e94ba..0000000000000 --- a/app/code/Magento/Sales/i18n/es_ES.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,Eliminar -Close,Cerrar -Cancel,Cancelar -Back,Volver -"Add Products","Añadir productos" -"Update Items and Qty's","Actualizar artículos y cantidades" -Product,Producto -Price,Precio -Quantity,Quantity -Products,Productos -ID,ID -SKU,Sku -Apply,Solicitar -Configure,Configurar -"Shopping Cart","Carro de la compra" -"Quote item id is not received.","El artículo indicado no se ha recibido." -"Quote item is not loaded.","El artículo indicado no está cargado." -No,No -"Apply Coupon Code","Usar el Código del Cupón" -"Remove Coupon Code","Eliminar Código de Cupón" -Qty,Cantidad -"Row Subtotal","Fila Subtotal" -Action,Acción -"No ordered items","No hay pedidos de artículos" -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,Subtotal: -"Excl. Tax","Sin impuestos" -Total,Total -"Incl. Tax","Impuestos incluidos" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Trasladar a la Lista de Deseos" -Edit,Editar -Item,Artículo -"Add to Cart","Añadir al Carrito" -Sku,"Sku (número de referencia)" -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,Pedidos -Customer,Cliente -Guest,Invitado -"Account Information","Información de Cuenta" -"First Name","Nombre del Cliente" -"Last Name","Apellido del cliente" -Email,"Dirección de correo electrónico del cliente" -Refresh,Actualizar -Enable,Enable -General,General -Yes,Sí -Name,Nombre -Status,Estado -Enabled,Enabled -Title,Título -Home,Home -Any,Any -From,Desde -To,Para -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,Pedido -"Order #%1","Order #%1" -"Shipping Amount","Gastos de Envío" -"Tax Amount","Importe del Impuesto" -View,Ver -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N/A -Ordered,"Pedido realizado." -Invoiced,Facturado -Shipped,Enviado -Refunded,Reembolsado -Canceled,Cancelado -From:,De: -To:,A: -"Gift Message","Mensaje regalo" -Message:,Mensaje: -"Tier Pricing","Precio de nivel" -"Go to Home Page","Go to Home Page" -"Customer Group","Grupo de Clientes" -Closed,"Está cerrado" -"Product Name","Nombre de Producto" -"Discount Amount","Cantidad Descontada" -Country,País -State/Province,Estado/Provincia -"Payment Information","Información de perfil" -"Shipping Information","Dirección de envío" -"Shipping Method","Método de Envío" -"Clear Shopping Cart","Vaciar carro de la compra" -City,Ciudad -"Zip/Postal Code","Código postal" -"Email Address","Dirección de correo electrónico" -Company,Compañía -Address,Address -"Street Address","Dirección postal" -Telephone,Teléfono -"Save in address book","Guardar en libreta de direcciones" -Continue,Continuar -"Order #","Order #" -"No Payment Methods","Sin Formas de Pago" -"Billing Address","Dirección de facturación" -"Shipping Address","Dirección de Envío" -"Payment Method","Método de pago" -Sales,Ventas -Created,"Creado en" -Select,Seleccionar -Comment,Comentario -%1,%1 -Date,Fecha -"Add New Address","Añadir Nueva Dirección" -"Purchase Date","Purchase Date" -"Bill-to Name","Nombre de la factura" -"Ship-to Name","Enviar a nombre de" -"Order Total","Total del pedido" -"Purchase Point","Comprado En (Tienda)" -"Recent Orders","Pedidos Recientes" -Notified,Notificado -"Notify Customer by Email","Notificar al cliente por correo electrónico" -Billing,Facturación -"Newsletter Subscription","Suscripción al Newsletter" -"Order Status","Estado del pedido" -"Wish List","Wish List" -Pending,Pendiente -"View Order","Ver Pedido" -Amount,Importe -Message,Mensaje -Information,Información -"Gift Options","Opciones de regalo" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,Nuevo -"Custom Price","Precio personalizado" -Processing,Procesando -"Add To Order","Añadir al Pedido" -"Configure and Add to Order","Configurar y añadir a pedido" -"No items","No hay artículos" -Authorization,Autorización -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.","Las operaciones de pago no permiten almacenar objetos." -"Transaction ID","Número de identificación de la transacción" -"Order ID","Solicitar ID" -Void,Nulo -"Created At","Created At" -"Payment Method:","Método de pago:" -"Ship To","Enviar a" -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)","Grand Total (Base)" -"Grand Total (Purchased)","Grand Total (Comprado)" -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,CSV -"Excel XML","Excel XML" -"Total Refunded","Total reembolsado" -Paid,Pagado -Coupons,Cupones -"Recently Viewed","Vistos recientemente" -"Recently Compared Products","Productos recientemente comparados" -"Recently Viewed Products","Productos vistos recientemente" -Print,Imprimir -"Submit Comment","Enviar comentario" -Returned,Devuelto -"Order Date","Fecha del pedido" -"Order # ","Order # " -"Order Date: ","Fecha del pedido:" -"Comment Text","Comentar el texto" -"Visible on Frontend","Visible en el Panel Delantero" -"Not Notified","No Notificado" -"Please select products.","Please select products." -Number,Número -"Order Date: %1","Order Date: %1" -"Shipping & Handling","Envío y preparación" -"Credit Memos","Facturas rectificativas" -Invoices,Facturas -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order","Crear un nuevo pedido" -"Save Order Address","Guardar dirección del pedido" -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information","Información de la Dirección del Pedido" -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order","Enviar pedido" -"Are you sure you want to cancel this order?","¿Está seguro de que quiere cancelar este pedido?" -"Order Comment","Comentario del pedido" -"Please select a customer.","Please select a customer." -"Create New Customer","Crear un nuevo cliente" -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer","Crear un nuevo pedido para un nuevo cliente" -"Items Ordered","Artículos Pedidos" -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty","Artículo pedido qty" -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - Introduzca el precio a medida con impuestos" -"* - Enter custom price excluding tax","* - Introduzca el precio a medida sin impuestos" -"This product does not have any configurable options","Este productor no dispone de opciones de configuración" -"Add Selected Product(s) to Order","Añadir el(los) Producto(s) Seleccionado(s) al Pedido" -"Update Changes","Actualizar Cambios" -"Are you sure you want to delete all items from shopping cart?","¿Seguro que quiere borrar todos los artículos del carro de la compra?" -"Products in Comparison List","Productos en la Lista de Comparación" -"Last Ordered Items","Últimos Artículos Pedidos" -"Please select a store.","Please select a store." -"Order Totals","Solicitar totales" -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)","Reembolso del Envío (Impuestos incl.)" -"Refund Shipping (Excl. Tax)","Reembolso del Envío (Impuestos no incl.)" -"Refund Shipping","Reembolso del Envío" -"Update Qty's","Actualizar Cantidad/es" -Refund,Reembolso -"Refund Offline","Reembolso Fuera de Línea" -"Paid Amount","Cantidad pagada" -"Refund Amount","Importe del Reembolso" -"Shipping Refund","Reembolso de Envío" -"Order Grand Total","Total del pedido" -"Adjustment Refund","Reembolso de Ajuste" -"Adjustment Fee","Tarifa de Ajuste" -"Send Email","Envíar Correo electrónico" -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent","el email de nota de crédito no se ha enviado" -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund","Reembolso Total" -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment","Enviar factura y gastos de envío" -"Submit Invoice","Enviar factura" -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo","Factura rectificativa" -Capture,Captura -"the invoice email was sent","El correo electrónico de la factura fue enviado" -"the invoice email is not sent","El correo electrónico de la factura no se ha enviado" -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses","Estados de los Pedidos" -"Create New Status","Crear nuevo estado" -"Assign Status to State","Asignar estado a estado" -"Save Status Assignment","Guardar estado de la tarea" -"Assign Order Status to State","Asignar estado de pedido a estado" -"Assignment Information","Información de asignación" -"Order State","Estado del Pedido" -"Use Order Status As Default","Usar estado de pedido por defecto" -"Visible On Frontend","Visible On Frontend" -"Edit Order Status","Editar estado de pedido" -"Save Status","Guardar estado" -"New Order Status","Estado de los nuevos pedidos" -"Order Status Information","Información del Estado del Pedido" -"Status Code","Código de estado" -"Status Label","Etiqueta de estado" -"Store View Specific Labels","Etiquetas específicas de la vista del almacén" -"Total Paid","Total pagado" -"Total Due","Total de deuda" -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?","¿Está seguro de que quiere invalidar el pago?" -Hold,Espera -hold,hold -Unhold,Recuperar -unhold,unhold -"Are you sure you want to accept this payment?","¿Está seguro de que quiere aceptar este pago?" -"Accept Payment","Aceptar Pago" -"Are you sure you want to deny this payment?","¿Está seguro de que quiere rechazar este pago?" -"Deny Payment","Denegar el pago" -"Get Payment Update","Recibir la actualización de pago" -"Invoice and Ship","Factura y envío" -Invoice,Factura -Ship,Enviar -Reorder,"Volver a hacer el pedido" -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos","Pedido de Nota de Créditos" -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History","Historial de comentarios" -"Order History","Historial del pedido" -"Order Information","Información del pedido" -"Order Invoices","Facturas de Pedido" -Shipments,Envíos -"Order Shipments","Envíos del pedido" -Transactions,Transacciones -"Order View","Vista del pedido" -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,Capturar -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,Clave -Value,Valor -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders","Volver a mis pedidos" -"View Another Order","Ver Otro Pedido" -"About Your Refund","Acerca de su devolución" -"My Orders","Mis pedidos" -"About Your Invoice","Acerca de su factura" -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged","Importe total a cobrar" -Unassign,"Sin asignar" -"We sent the message.","We sent the message." -"This order no longer exists.","Esta orden ya no existe." -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.","El pago se ha aceptado." -"The payment has been denied.","El pago ha sido denegado." -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.","Ningún pedido fue puesto en suspenso." -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.","No hay documentos para imprimir relacionados con los pedidos seleccionados." -"The payment has been voided.","El pago ha sido anulado." -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.","El código del cupón se ha aceptado" -"New Order","Nuevo Pedido" -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice","Nueva Factura" -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status","Crear nuevo estado de pedido" -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.","Ha ocurrido un error al asignar el estado de su pedido. No se ha asignado estado." -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns","Pedidos y devoluciones" -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State","Estado desconocido" -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status","Estados desconocidos" -Backordered,"Pendientes de entrega" -Partial,Parcial -Mixed,Mixto -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.","Registrada una información anulada." -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.","El pago ha sido aprobado a distancia." -"There is no need to approve this payment.","There is no need to approve this payment." -"Registered notification about approved payment.","Notificación certificada sobre el pago aprobado." -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.","No hay necesidad de negar este pago." -"Registered notification about denied payment.","Registrada notificación sobre un pago denegado." -"Registered update about approved payment.","Registrada actualización sobre un pago aprobado." -"Registered update about denied payment.","Actualización registrada sobre pago denegado." -"There is no update for the payment.","No hay actualizaciones para este pago." -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.","Autorización anulada" -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed","Establecer orden para las transacciones existentes no permitido" -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:","Método de envío:" -"Total Shipping Charges","Total de gastos de envío" -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","Total (ex)" -"Total (inc)","Total (inc)" -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","Albaranes #" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment","Pago Pendiente" -"On Hold","En pausa" -Complete,Completo -"Suspected Fraud","Sospecha de fraude" -"Payment Review","Revisión del Pago" -"Changing address information will not recalculate shipping, tax or other order amount.","Al cambiar la información de la dirección no se recalculan el envío, los impuestos ni el total del pedido." -"Order Comments","Comentarios del pedido" -"Order Currency:","Divisa del pedido" -"Select from existing customer addresses:","Seleccionar entre las direcciones del cliente existentes" -"Same As Billing Address","La misma que la dirección de facturación" -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order","Mensaje de Regalo por Todo el Pedido" -"Move to Shopping Cart","Mover al Carro de la Compra" -"Subscribe to Newsletter","Suscribir al boletín informativo" -"Click to change shipping method","Haz click aquí para cambiar el método de envío" -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates","Obtener métodos de envío y tarifas" -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments","Agregar Comentarios" -"Email Order Confirmation","Enviar por Email Confirmación de Pedido" -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund","Artículos para devolver" -"Return to Stock","Volver al Stock" -"Qty to Refund","Cantidad para Reembolsar" -"Row Total","Fila Total" -"No Items To Refund","Sin Artículos que Reembolsar" -"Credit Memo Comments","Comentarios de la factura rectificativa" -"Refund Totals","Totales de Reembolso" -"Email Copy of Credit Memo","Enviar una copia de la factura rectificativa por correo electrónico" -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded","Artículos devueltos" -"No Items","No hay Artículos" -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment","Crear envío" -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice","Cantidad para Facturar" -"Invoice History","Invoice History" -"Invoice Comments","Comentarios de factura" -"Invoice Totals","Invoice Totals" -"Capture Amount","Captura de importe" -"Capture Online","Captura online" -"Capture Offline","Captura offline" -"Not Capture","Sin Captura" -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice","Enviar por Email Copia de Factura" -"Items Invoiced","Artículos facturados." -"Total Tax","Impuesto Total" -"From Name","Por nombre" -"To Name","A nombre de" -"Add Order Comments","Añadir Comentarios al Pedido" -"Notification Not Applicable","Notificación no Aplicable" -"the order confirmation email was sent","El correo electrónico de confirmación del pedido fue enviado" -"the order confirmation email is not sent","El correo electrónico de confirmación del pedido no se ha enviado" -"Order Date (%1)","Order Date (%1)" -"Purchased From","Comprado de" -"Link to the New Order","Enlace al Nuevo Pedido" -"Link to the Previous Order","Enlace al Pedido Anterior" -"Placed from IP","Realizado desde IP" -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status","Estado del artículo" -"Original Price","Precio original" -"Tax Percent","Porcentaje de impuestos" -"Transaction Data","Transaction Data" -"Parent Transaction ID","ID de Transacción Padre" -"Transaction Type","Tipo de Transacción" -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order","Mensaje de regalo para este pedido" -"Shipped By","Enviado por" -"Tracking Number","Número de Seguimiento" -"Billing Last Name","Apellido para Facturación" -"Find Order By:","Buscar Pedido Por:" -"ZIP Code","ZIP Code" -"Billing ZIP Code","Código Postal para Facturación" -"Print All Refunds","Imprimir Todos los Reembolsos" -"Refund #","Reembolso #" -"Print Refund","Imprimir Reembolso" -"You have placed no orders.","No has hecho ningún pedido." -"Order Date: %1","Order Date: %1" -"No shipping information available","No hay disponible información sobre el envío" -"Print Order","Imprimir Pedido" -"Subscribe to Order Status","Suscribirse al Estado de Pedido" -"Print All Invoices","Imprimir Todas las Facturas" -"Invoice #","Factura #" -"Print Invoice","Imprimir Factura" -"Qty Invoiced","Cantidad Facturada" -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped","Artículos enviados" -"Qty Shipped","Cantidad Enviada" -"View All","Ver todos/as" -"Gift Message for This Order","Mensaje de regalo para este pedido" -"About Your Order","En Relación con Su Pedido" -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title","Anclar Título Personalizado" -Phone,Phone -"Default Template","Plantilla predeterminada" -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,"Envío #" -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form","Impreso de pedidos y devoluciones" -"PDF Credit Memos","Notas de cŕedito en PDF" -"PDF Invoices","Facturas en PDF" -"Invoice Date","Fecha de factura" -"ZIP/Post Code","Código postal" -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS","Nuevo Pedido RSS" -"Print Invoices","Imprimir Facturas" -"Print Packing Slips","Imprimir Albaranes de Embalaje" -"Print Credit Memos","Imprimir Todas las Facturas de Abono" -"Print All","Imprimir todo" -"Print Shipping Labels","Imprimir etiquetas de envío" -"Ship Date","Fecha de Envío" -"Total Quantity","Total cantidad" -"Default Status","Estado por defecto" -"State Code and Title","State Code and Title" -"PDF Packing Slips","Albaranes en PDF" -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/Sales/i18n/fr_FR.csv b/app/code/Magento/Sales/i18n/fr_FR.csv deleted file mode 100644 index e6ee0ec1c4a3f..0000000000000 --- a/app/code/Magento/Sales/i18n/fr_FR.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,Supprimer -Close,Fermer -Cancel,Annuler -Back,Retour -"Add Products","Ajouter produits" -"Update Items and Qty's","Mettre à jour les articles et quantités" -Product,Produit -Price,Prix -Quantity,Quantity -Products,Produits -ID,ID -SKU,UGK -Apply,Appliquer -Configure,Configurer -"Shopping Cart",Panier -"Quote item id is not received.","L'identifiant de l'article évalué n'a pas été reçu." -"Quote item is not loaded.","L'article évalué n'a pas été chargé." -No,Non -"Apply Coupon Code","Appliquer code coupon" -"Remove Coupon Code","Retirer le code de promotion" -Qty,Qté -"Row Subtotal","Sous-Total de la ligne" -Action,Action -"No ordered items","Aucun article commandé" -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,"Sous-total :" -"Excl. Tax",H.T. -Total,Total -"Incl. Tax","Taxe comprise" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Déplacer dans la liste de souhaits" -Edit,Modifier -Item,Article -"Add to Cart","Ajouter au panier" -Sku,Sku -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,Commandes -Customer,Client -Guest,Invité -"Account Information","Informations du compte" -"First Name",Prénom -"Last Name","Nom du client" -Email,"Email du client" -Refresh,Rafraîchir -Enable,Enable -General,General -Yes,oui -Name,Nom -Status,Statut -Enabled,Enabled -Title,Titre -Home,Home -Any,Any -From,De -To,A -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,Commande -"Order #%1","Order #%1" -"Shipping Amount","Montant de la livraison" -"Tax Amount","Montant de la taxe" -View,Vue -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N/A -Ordered,Commandé -Invoiced,Facturé -Shipped,Envoyé -Refunded,Remboursé -Canceled,Annulé -From:,De: -To:,"A :" -"Gift Message","Message du cadeau" -Message:,Message: -"Tier Pricing","Catégorie de prix" -"Go to Home Page","Go to Home Page" -"Customer Group","Groupe du client" -Closed,"Est fermé" -"Product Name","Nom produit" -"Discount Amount","Montant de la remise" -Country,Pays -State/Province,"Etat / région" -"Payment Information","Information sur le profil" -"Shipping Information","Informations d'expédition" -"Shipping Method","Méthode d'expédition" -"Clear Shopping Cart","Vider le panier" -City,Ville -"Zip/Postal Code","Code postal" -"Email Address","Adresse email" -Company,Société -Address,Address -"Street Address","Adresse de la rue" -Telephone,Téléphone -"Save in address book","Sauvegarder dans le carnet d'adresses" -Continue,Continuer -"Order #","Order #" -"No Payment Methods","Aucun mode de paiement" -"Billing Address","Adresse de facturation" -"Shipping Address","Adresse d'expédition" -"Payment Method","Nom de la méthode de payement" -Sales,Ventes -Created,"Créé à" -Select,Sélectionner -Comment,Commenter -%1,%1 -Date,Date -"Add New Address","Ajouter une nouvelle adresse" -"Purchase Date","Purchase Date" -"Bill-to Name","Facture au nom" -"Ship-to Name","Expédier à Nom" -"Order Total","Total Commande" -"Purchase Point","Acheté chez (Boutique)" -"Recent Orders","Commandes récentes" -Notified,Notifié -"Notify Customer by Email","Notifier le Client par Email" -Billing,Facturation -"Newsletter Subscription","Abonnement à la lettre d'information" -"Order Status","Statut de la Commande" -"Wish List","Wish List" -Pending,"En cours" -"View Order","Voir la commande" -Amount,Montant -Message,Message -Information,Renseignements -"Gift Options","Options de cadeau" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,Nouveau -"Custom Price","Personnaliser le prix" -Processing,Traitement -"Add To Order","Ajouter à la commande" -"Configure and Add to Order","Configurer et ajouter à la commande" -"No items","Aucun article" -Authorization,Autorisation -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.","Les transactions de paiement ne permettent pas le stockage d'objets." -"Transaction ID","ID de la transaction" -"Order ID","Identifiant de la Commande" -Void,Annuler -"Created At","Created At" -"Payment Method:","Méthode de paiement :" -"Ship To","Expédier à" -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)","G. T. (Base)" -"Grand Total (Purchased)","Total général (acheté)" -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,"CSV (valeurs séparées par des virgules)" -"Excel XML","Excel XML" -"Total Refunded","Total remboursé" -Paid,Payé -Coupons,Coupons -"Recently Viewed","Récemment vus" -"Recently Compared Products","Produits récemment comparés" -"Recently Viewed Products","Produits récemment vus" -Print,Imprimer -"Submit Comment","Envoyer commentaire" -Returned,Retourné -"Order Date","Date de la Commande" -"Order # ","Order # " -"Order Date: ","Date de la commande :" -"Comment Text","Commenter texte" -"Visible on Frontend","Visible sur le Frontend" -"Not Notified","Non notifié" -"Please select products.","Please select products." -Number,Nombre -"Order Date: %1","Order Date: %1" -"Shipping & Handling","Expédition & Traitement" -"Credit Memos",Avoirs -Invoices,Factures -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order","Créer une nouvelle commande" -"Save Order Address","Sauvegarder l'adresse de la commande" -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information","Informations sur l'adresse de la commande" -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order","Envoyer Commande" -"Are you sure you want to cancel this order?","Voulez-vous vraiment annuler cette commande ?" -"Order Comment","Commentaire Commande" -"Please select a customer.","Please select a customer." -"Create New Customer","Créer nouveau client" -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer","Créer une nouvelle commande pour un nouveau client" -"Items Ordered","Articles commandés" -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty","Qté d'articles commandés" -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - Entrez le prix personnalisé avec les taxes" -"* - Enter custom price excluding tax","* - Entrez le prix personnalisé sans les taxes" -"This product does not have any configurable options","Le produit n'a pas d'options configurables." -"Add Selected Product(s) to Order","Ajouter le(s) produit(s) sélectionné(s) à la commande" -"Update Changes","Mettre à jour les changements" -"Are you sure you want to delete all items from shopping cart?","Etes-vous certain(e) de vouloir effacer tous les articles du panier?" -"Products in Comparison List","Produits dans la liste de comparaison" -"Last Ordered Items","Derniers articles commandés" -"Please select a store.","Please select a store." -"Order Totals","Totaux Commande" -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)","Remboursement de la Livraison (T.T.C.)" -"Refund Shipping (Excl. Tax)","Remboursement de la Livraison (H.T.)" -"Refund Shipping","Remboursement de la Livraison" -"Update Qty's","Mettre à jour la/les Qté(s)" -Refund,Rembourser -"Refund Offline","Remboursement hors connexion" -"Paid Amount","Montant payé" -"Refund Amount","Montant du Remboursement" -"Shipping Refund","Remboursement de l'expédition" -"Order Grand Total","Total Commande" -"Adjustment Refund","Ajustement de remboursement" -"Adjustment Fee","Ajustement des taxes" -"Send Email","Envoyer l'email" -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent","Le courriel de note de crédit n'a pas été envoyé" -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund","Total du remboursement" -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment","Soumettre facture et expédition" -"Submit Invoice","Soumettre facture" -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo",Avoir -Capture,Sauvegarder -"the invoice email was sent","l'e-mail de facture a été envoyé" -"the invoice email is not sent","l'e-mail de facture n'est pas envoyé" -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses","Statuts de la commande" -"Create New Status","Créer un nouvel état" -"Assign Status to State","Attribuer l'état à un État" -"Save Status Assignment","Sauvegarder l'attribution du statut" -"Assign Order Status to State","Attribuer l'état de la commande à un État" -"Assignment Information","Information sur l'attribution" -"Order State","État de la commande" -"Use Order Status As Default","Utiliser l'état de la commande comme référence par défaut" -"Visible On Frontend","Visible On Frontend" -"Edit Order Status","Éditer l'état de la commande" -"Save Status","Sauvegarder le statut" -"New Order Status","Nouveau statut commande" -"Order Status Information","Informations sur le statut de la commande" -"Status Code","Code statut" -"Status Label","Étiquette statut" -"Store View Specific Labels","Vue boutique Étiquettes spécifiques" -"Total Paid","Total payé" -"Total Due","Total dû" -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?","Voulez-vous vraiment annuler le paiement ?" -Hold,"Mise en attente" -hold,hold -Unhold,"Ne plus retenir" -unhold,unhold -"Are you sure you want to accept this payment?","Voulez-vous vraiment accepter ce paiement ?" -"Accept Payment","Accepter le paiement" -"Are you sure you want to deny this payment?","Voulez-vous vraiment refuser ce paiement ?" -"Deny Payment","Refuser le paiement" -"Get Payment Update","Obtenir la mise à jour du paiement" -"Invoice and Ship","Facture et Courrier" -Invoice,Facture -Ship,Expédier -Reorder,"Commander à nouveau" -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos","Commander des notes de crédit" -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History","Historique des commentaires" -"Order History","Historique des Commandes" -"Order Information","Informations Commande" -"Order Invoices","Commander les factures" -Shipments,Expéditions -"Order Shipments","Expéditions Commandes" -Transactions,Transactions -"Order View","Vue Commande" -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,Chercher -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,Clé -Value,Valeur -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders","Retour à Mes commandes" -"View Another Order","Voir autre commande" -"About Your Refund","Au sujet de votre remboursement" -"My Orders","Mes commandes" -"About Your Invoice","Au sujet de votre facture" -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged","Grand total à payer" -Unassign,"Modifier l'attribution" -"We sent the message.","We sent the message." -"This order no longer exists.","Cette commande n'existe plus." -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.","Le payement a été accepté" -"The payment has been denied.","Le paiement a été refusé." -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.","Aucune commande en attente." -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.","Il n'exsite pas de documents imprimables concernant ces commandes." -"The payment has been voided.","Le paiement a été invalidé." -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.","Le code de coupon a été accepté" -"New Order","Nouvelle Commande" -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice","Nouvelle facture" -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status","Créer un nouvel état de commande" -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.","Une erreur s'est produite lors de la détermination de l'état de la commande. L'état n'a pas été déterminé." -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns","Commandes et Retours" -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State","État inconnu" -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status","Statut inconnu" -Backordered,"Rupture de stock" -Partial,Partiel -Mixed,Mélangé -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.","A enregistré une notification nulle." -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.","A approuvé le paiement en ligne." -"There is no need to approve this payment.","Ce paiement ne requiert pas d'accord." -"Registered notification about approved payment.","Notification enregistrée pour le paiement approuvé." -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.","Il n'y a pas de raison de refuser ce payement" -"Registered notification about denied payment.","A enregistré une notification à propos du paiement refusé." -"Registered update about approved payment.","A déclaré une mise à jour à propos du paiement accepté." -"Registered update about denied payment.","Mise à jour enregistrée sur le paiement refusé." -"There is no update for the payment.","Il n'existe pas de mise à jour pour ce paiement." -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.","Autorisation annulée" -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed","Le passage de commande pour des transactions existantes n'est pas autorisé" -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:","Méthode d'expédition :" -"Total Shipping Charges","Charges totales expédition" -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","Total (ex)" -"Total (inc)","Total (inc)" -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","Bon de livraison #" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment","Paiement en attente" -"On Hold","En Attente" -Complete,Terminer -"Suspected Fraud","Fraude supposée" -"Payment Review","Contrôle du paiement" -"Changing address information will not recalculate shipping, tax or other order amount.","Changer les données de l'adresse ne changera pas les coûts d'expédition, les taxes ou les autres frais applicables à la commande." -"Order Comments","Commentaires Commande" -"Order Currency:","Devise de la Commande" -"Select from existing customer addresses:","Sélectionner à partir d'adresses client existantes:" -"Same As Billing Address","(identique à l'adresse de facturation)" -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order","Message de cadeau pour l'ensemble de la commande" -"Move to Shopping Cart","Mettre dans votre panier" -"Subscribe to Newsletter","S'inscrire à la newsletter" -"Click to change shipping method","Cliquez pour changer la méthode d'envoi" -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates","Obtenir la méthode d'expédition et les taux" -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments","Ajouter commentaires" -"Email Order Confirmation","Confirmation de la demande d'email" -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund","Articles à rembourser" -"Return to Stock","Retourner au Stock" -"Qty to Refund","Quantité à rembourser" -"Row Total","Total de la Ligne" -"No Items To Refund","Aucun article à rembourser" -"Credit Memo Comments","Avoir Commentaires" -"Refund Totals","Remboursement total" -"Email Copy of Credit Memo","Copie de l'e-mail de la note de crédit" -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded","Articles remboursés" -"No Items","Pas d'article" -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment","Créer une livraison" -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice","Quantité à facturer" -"Invoice History","Invoice History" -"Invoice Comments","Facture Commentaires" -"Invoice Totals","Invoice Totals" -"Capture Amount","Sauvegarder le montant" -"Capture Online","Sauvegarder en ligne" -"Capture Offline","Sauvegarder hors ligne" -"Not Capture","Non saisi" -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice","Copie email de la facture" -"Items Invoiced","Articles facturés" -"Total Tax","Taxe totale" -"From Name","De Nom" -"To Name","Vers nom" -"Add Order Comments","Ajouter commentaires de commande" -"Notification Not Applicable","La notification ne s'applique pas" -"the order confirmation email was sent","l'e-mail de confirmation de commande a été envoyé" -"the order confirmation email is not sent","l'e-mail de confirmation de commande n'est pas envoyé" -"Order Date (%1)","Order Date (%1)" -"Purchased From","Acheté à" -"Link to the New Order","Lien vers la nouvelle commande" -"Link to the Previous Order","Lien vers la commande précédente" -"Placed from IP","Placé depuis l'IP" -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status","Statut article" -"Original Price","Prix d'origine" -"Tax Percent","Pourcentage de taxe" -"Transaction Data","Transaction Data" -"Parent Transaction ID","ID de la transaction mère" -"Transaction Type","Type de transaction" -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order","Message personnalisé pour cette commande" -"Shipped By","Expédié par" -"Tracking Number","Numéro de suivi" -"Billing Last Name","Nom facturation" -"Find Order By:","Trouver la commande par:" -"ZIP Code","ZIP Code" -"Billing ZIP Code","Code postal facturation" -"Print All Refunds","Imprimer tous les remboursements" -"Refund #","Remboursement #" -"Print Refund","Imprimer le remboursement" -"You have placed no orders.","Vous n'avez pas de commande." -"Order Date: %1","Order Date: %1" -"No shipping information available","Aucune information d'expédition disponible" -"Print Order","Imprimer commande" -"Subscribe to Order Status","S'abonner au statut de la commande" -"Print All Invoices","Imprimer toutes les factures" -"Invoice #","Facture n˚" -"Print Invoice","Imprimer la facture" -"Qty Invoiced","Qté facturée" -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped","Articles expédiés" -"Qty Shipped","Quantité expédiée" -"View All","Voir tout" -"Gift Message for This Order","Message cadeau pour cette commande" -"About Your Order","A propos de votre commande" -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title","Titre personnalisé" -Phone,Phone -"Default Template","Modèle par défaut" -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,Expédition -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form","Formulaire de recherche des Commandes et Retours" -"PDF Credit Memos","Notes de crédit PDF" -"PDF Invoices","Factures PDF" -"Invoice Date","Date de la facture" -"ZIP/Post Code","Code postal" -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS","Nouvelle commande RSS" -"Print Invoices","Imprimer factures" -"Print Packing Slips","Imprimer les bons de livraison" -"Print Credit Memos","Imprimer les notes de crédit" -"Print All","Tout imprimer" -"Print Shipping Labels","Labels d'expédition" -"Ship Date","Date d'envoi" -"Total Quantity","Quantité totale" -"Default Status","État pas défaut" -"State Code and Title","State Code and Title" -"PDF Packing Slips","Bons de livraison PDF" -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/Sales/i18n/nl_NL.csv b/app/code/Magento/Sales/i18n/nl_NL.csv deleted file mode 100644 index 1675d096d63af..0000000000000 --- a/app/code/Magento/Sales/i18n/nl_NL.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,weghalen -Close,Sluiten -Cancel,annuleren -Back,Terug -"Add Products","producten toevoegen" -"Update Items and Qty's","aanpassen items en hoeveelheden" -Product,Product -Price,prijs -Quantity,Quantity -Products,producten -ID,identiteit -SKU,Sku -Apply,Invullen -Configure,Configureren -"Shopping Cart",Winkelmandje -"Quote item id is not received.","I.D. van het quote product is niet ontvangen." -"Quote item is not loaded.","Quote product is niet geladen." -No,Nee -"Apply Coupon Code","Vul couponcode in" -"Remove Coupon Code","haal couponcode weg" -Qty,hoeveelheid -"Row Subtotal","rij van het subtotaal" -Action,actie -"No ordered items","geen bestelde items" -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,subtotaal -"Excl. Tax","Excl. BTW" -Total,Totaal -"Incl. Tax","inclusief btw" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","ga naar verlanglijstje" -Edit,Bewerk -Item,item -"Add to Cart","Voeg toe aan winkelwagen" -Sku,Sku -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,Bestellingen -Customer,Klant -Guest,Gast -"Account Information","Account Gegevens" -"First Name","Klant Naam" -"Last Name","Klant Achternaam" -Email,"Klant e-mail" -Refresh,Ververs -Enable,Enable -General,General -Yes,Ja -Name,Naam -Status,status -Enabled,Enabled -Title,Titel -Home,Home -Any,Any -From,Van -To,Aan -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,Bestelling -"Order #%1","Order #%1" -"Shipping Amount",Verzendingskosten -"Tax Amount","BTW Bedrag" -View,Bekijk -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,n.v.t. -Ordered,Besteld -Invoiced,Gefactureerd. -Shipped,Verscheept -Refunded,Geretourneerd. -Canceled,Geannuleerd -From:,Van: -To:,Aan: -"Gift Message",Cadeauboodschap -Message:,Bericht: -"Tier Pricing","Niveau Prijsstelling" -"Go to Home Page","Go to Home Page" -"Customer Group",Klantgroep -Closed,Gesloten -"Product Name","Product Naam" -"Discount Amount",Kortingsbedrag -Country,Land -State/Province,Staat/Provincie -"Payment Information","Profiel informatie" -"Shipping Information",Verzendinformatie -"Shipping Method",Verzendingsmethode -"Clear Shopping Cart","Maak winkelwagen leeg" -City,Stad -"Zip/Postal Code",Zip/Postcode -"Email Address",e-mailadres -Company,Bedrijf -Address,Address -"Street Address","Adres straat" -Telephone,telefoon -"Save in address book","Opslaan in adresboek" -Continue,Doorgaan -"Order #","Order #" -"No Payment Methods","Geen betalingsmethoden" -"Billing Address",Factuuradres -"Shipping Address","Ontvangst Adres" -"Payment Method","Naam betalingsmethode" -Sales,Verkoop -Created,"Gemaakt op" -Select,Selecteren -Comment,Commentaar -%1,%1 -Date,Datum -"Add New Address","Adres Toevoegen" -"Purchase Date","Purchase Date" -"Bill-to Name","Rekening op naam" -"Ship-to Name","Verzenden naar Naam" -"Order Total","Bestelling Totaalbedrag" -"Purchase Point","Gekocht van (winkel)" -"Recent Orders","Recente Bestellingen" -Notified,Ingelicht -"Notify Customer by Email","Licht klant in via e-mail" -Billing,Facturatie -"Newsletter Subscription","Nieuwsbrief abonnement" -"Order Status","Bestelling Status" -"Wish List","Wish List" -Pending,"In behandeling" -"View Order","Inzien Bestelling" -Amount,Aantal -Message,Boodschap -Information,Informatie -"Gift Options",Cadeauopties -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,Nieuw -"Custom Price","Aangepaste prijs" -Processing,Verwerken -"Add To Order","Voeg toe aan bestelling" -"Configure and Add to Order","Pas uw Order aan of Voeg een Order toe" -"No items","Geen artikelen" -Authorization,Autorisatie -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.","Betalingstransacties staan het opslaan van objecten niet toe." -"Transaction ID",Transactie-ID -"Order ID",Bestelnummer -Void,Leeg -"Created At","Created At" -"Payment Method:",Betaalmethode: -"Ship To","Verzenden naar" -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)","G.T. (basis)" -"Grand Total (Purchased)","Bruto totaal (gekocht)" -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,CSV -"Excel XML","Excel XML" -"Total Refunded","Totaal Terugbetaalde" -Paid,Betaald -Coupons,Waardebonnen -"Recently Viewed","Recent bekeken" -"Recently Compared Products","Recent vergeleken producten" -"Recently Viewed Products","Recent bekeken producten" -Print,Print -"Submit Comment","Verwerken Opmerking" -Returned,Teruggestuurd -"Order Date","Datum van de Bestelling" -"Order # ","Order # " -"Order Date: ","Datum bestelling:" -"Comment Text","Opmerking Tekst" -"Visible on Frontend","Zichtbaar op Voorkant" -"Not Notified","Niet gemeld" -"Please select products.","Please select products." -Number,Aantal -"Order Date: %1","Order Date: %1" -"Shipping & Handling","Verzending & behandeling" -"Credit Memos",Creditnota's -Invoices,Facturen -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order","Maak nieuwe bestelling aan" -"Save Order Address","Adres bestelling opslaan" -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information","Bestelling Adres Informatie" -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order","Verwerken Bestelling" -"Are you sure you want to cancel this order?","Weet u zeker dat u deze bestelling wilt annuleren?" -"Order Comment","Reactie op Bestelling" -"Please select a customer.","Please select a customer." -"Create New Customer","Maak nieuwe klant aan" -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer","Maak nieuwe bestelling aan voor klant" -"Items Ordered","items besteld" -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty","item bestelde hoeveelheid" -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - Voer aangepaste prijs inclusief belasting in" -"* - Enter custom price excluding tax","* - Voer aangepaste prijs exclusief belasting in" -"This product does not have any configurable options","Dit product heeft geen configureerbare opties" -"Add Selected Product(s) to Order","Voeg geselecteerde product(en) toe aan bestelling" -"Update Changes","Bijwerken Veranderingen" -"Are you sure you want to delete all items from shopping cart?","Bent u er zeker van om alle producten te verwijderen uit de winkelwagen?" -"Products in Comparison List","Producten in vergelijking Lijst" -"Last Ordered Items","laatst bestelde items" -"Please select a store.","Please select a store." -"Order Totals",Subtotaal -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)","Terugbetaling Verzendkosten (incl. BTW)" -"Refund Shipping (Excl. Tax)","Terugbetaling Verzendkosten (excl. BTW)" -"Refund Shipping","Terugbetaling Verzendkosten" -"Update Qty's","Aantal(en) bijwerken" -Refund,Terugbetaling -"Refund Offline","Offline restitutie" -"Paid Amount","Betaald bedrag" -"Refund Amount","Terugbetaling Bedrag" -"Shipping Refund","Terugbetaling Verzendkosten" -"Order Grand Total","Algemeen totaal van de Bestelling" -"Adjustment Refund",Aanpassingsbetaling -"Adjustment Fee",Aanpassingstoeslag -"Send Email","Stuur E-mail" -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent","De creditnota e-mail is niet verzonden" -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund","Totaal restitutie" -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment","Factuur en verzending indienen" -"Submit Invoice","Factuur indienen" -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo",Credietmemo -Capture,Vastleggen -"the invoice email was sent","De factureringsmail is verzonden" -"the invoice email is not sent","De factureringsmail is niet verzonden" -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses","Bestelling Statussen" -"Create New Status","Stel een Nieuwe Status in" -"Assign Status to State","Zet Status als Staat" -"Save Status Assignment","Opdracht status opslaan" -"Assign Order Status to State","Zet Orderstatus als Staat" -"Assignment Information","Opdracht Informatie" -"Order State","Status Bestelling" -"Use Order Status As Default","Gebruik Order Status Als Standaard" -"Visible On Frontend","Visible On Frontend" -"Edit Order Status","Verander Orderstatus" -"Save Status","Status opslaan" -"New Order Status","Nieuwe Status van de Bestelling" -"Order Status Information","Bestelling Status Informatie" -"Status Code","Code status" -"Status Label","Label status" -"Store View Specific Labels","Winkel toon specifieke labels" -"Total Paid","Totaal Betaald" -"Total Due","Totaalbedrag verwacht" -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?","Weet u zeker dat u de betaling wilt leegmaken?" -Hold,"In de wacht" -hold,hold -Unhold,Vrijgeven -unhold,unhold -"Are you sure you want to accept this payment?","Weet u zeker dat u deze betaling wilt accepteren?" -"Accept Payment","Accepteer betaling" -"Are you sure you want to deny this payment?","Weet u zeker dat u deze betaling wilt weigeren?" -"Deny Payment","Weiger betaling" -"Get Payment Update","Verkrijg betalings-update" -"Invoice and Ship","Factureer en verzend" -Invoice,Factuur -Ship,Verstuur -Reorder,Nabestelling -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos","Kredietmemo's bestelling" -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History",Commentaargeschiedenis -"Order History","Geschiedenis van de Bestelling" -"Order Information","Informatie over de Bestelling" -"Order Invoices","Facturen bestelling" -Shipments,Zendingen -"Order Shipments","Verzendingen van de Bestelling" -Transactions,Transacties -"Order View","Kijk naar de bestelling" -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,Halen -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,sleutel -Value,Waarde -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders","Terug naar Mijn Bestellingen" -"View Another Order","Andere bestelling bekijken" -"About Your Refund","Over Uw Terugbetaling" -"My Orders","Mijn Bestellingen" -"About Your Invoice","Over Uw Factuur" -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged","Totaalbedrag dat zal worden gefactureerd" -Unassign,"Wijs niet toe" -"We sent the message.","We sent the message." -"This order no longer exists.","Deze bestelling bestaat niet meer." -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.","De betaling is geaccepteerd." -"The payment has been denied.","De betaling is geweigerd" -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.","Er zijn geen beselling(en) uitgesteld." -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.","Er zijn geen printbare documenten gerelateerd aan de geselecteerde bestellingen." -"The payment has been voided.","De betaling is leeggemaakt." -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.","De kortingsboncode is geaccepteerd." -"New Order","Nieuwe bestelling" -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice","Nieuwe Factuur" -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status","Maak een Nieuwe Orderstatus" -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.","Er is een fout opgetreden tijdens het toewijzen van uw orderstatus. Status is niet toegewezen." -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns","Bestellingen en Teruggaven" -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State","Onbekende Staat" -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status","Onbekende Status" -Backordered,Nabesteld -Partial,Gedeeltelijke -Mixed,Gemengd -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.","Geregistreerd als Leeg bericht." -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.","De betaling is online goedgekeurd" -"There is no need to approve this payment.","Er is geen nood om deze betaling te accepteren." -"Registered notification about approved payment.","Notificatie over goedgekeurde betaling is opgeslagen." -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.","Het is niet nodig om deze betaling te weigeren." -"Registered notification about denied payment.","Geregistreerde mededeling over geweigerde betaling." -"Registered update about approved payment.","Geregistreerde bijwerking over goedgekeurde betaling." -"Registered update about denied payment.","Update over geweigerde betaling." -"There is no update for the payment.","Er is geen update voor de betaling." -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.","Nietig verklaarde autorisatie." -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed","Volgorde voor bestaande transactie niet toegestaan" -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:",Verzendmethode: -"Total Shipping Charges","Totaal Verzendkosten" -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","Totaal (ex)" -"Total (inc)","Totaalbedrag (incl.)" -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","Packing Slip #" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment","In afwachting van betaling" -"On Hold","In de wacht" -Complete,Gereed -"Suspected Fraud","Verdacht tot fraude" -"Payment Review","Betalings Review" -"Changing address information will not recalculate shipping, tax or other order amount.","Bij het veranderen van adres informatie worden de verzendkosten, belastingskosten of andere bestellings hoeveelheden niet aangepast." -"Order Comments","Opmerkingen over de Bestellingen" -"Order Currency:","Valuta van de bestelling:" -"Select from existing customer addresses:","Selecteer van bestaande klantadressen:" -"Same As Billing Address","Zelfde als Factuuradres" -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order","Cadeauboodschap voor de gehele bestelling" -"Move to Shopping Cart","Verplaats naar Winkelwagen" -"Subscribe to Newsletter","Inschrijven voor nieuwsbrief" -"Click to change shipping method","Klik om verzendwijze te wijzigen" -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates","Verkrijg verzendmethodes en verhoudingen" -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments","Voeg commentaar toe" -"Email Order Confirmation","Bevestiging van bestelling emailen" -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund","items om te retourneren" -"Return to Stock","Keer terug naar Voorraad" -"Qty to Refund","Aantal om restitutie te geven" -"Row Total","Rij Totaal" -"No Items To Refund","Geen items om te retourneren." -"Credit Memo Comments","Credietmemo commentaar" -"Refund Totals","Totale Terugbetalingen" -"Email Copy of Credit Memo","E-mail een kopie van de credietmemo" -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded","items geretourneerd" -"No Items","Geen items" -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment","Maak verzending aan" -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice","Aantal op Factuur" -"Invoice History","Invoice History" -"Invoice Comments",Factuurcommentaar -"Invoice Totals","Invoice Totals" -"Capture Amount","Vastleggen Bedrag" -"Capture Online","Online Vastleggen" -"Capture Offline","Offline Vastleggen" -"Not Capture","Niet vastleggen" -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice","Kopie van factuur emailen" -"Items Invoiced","items gefactureerd" -"Total Tax","Totale Belasting" -"From Name","Vanaf naam" -"To Name","Te benoemen" -"Add Order Comments","Voeg bestelcommentaar toe" -"Notification Not Applicable","Kennisgeving Niet van Toepassing" -"the order confirmation email was sent","De bestellingsbevestiging-mail is verzonden" -"the order confirmation email is not sent","De bestellingsbevestiging-mail is niet verzonden" -"Order Date (%1)","Order Date (%1)" -"Purchased From","Gekocht Van" -"Link to the New Order","link naar de nieuwe bestelling" -"Link to the Previous Order","link naar de vorige bestelling" -"Placed from IP","Geplaatst van IP" -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status","Artikel Status" -"Original Price","Originele prijs" -"Tax Percent",Belastingspercentage -"Transaction Data","Transaction Data" -"Parent Transaction ID","Ouder transactie ID" -"Transaction Type","Type transactie" -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order","Cadeau bericht voor deze Order" -"Shipped By","Verzonden door" -"Tracking Number",Volgnummer -"Billing Last Name","Rekening Achternaam" -"Find Order By:","Vind een bestelling door:" -"ZIP Code","ZIP Code" -"Billing ZIP Code","Postcode betaling" -"Print All Refunds","Print Alle restituties" -"Refund #","Terugbetaling #" -"Print Refund","Print Refund" -"You have placed no orders.","U heeft geen bestellingen geplaatst." -"Order Date: %1","Order Date: %1" -"No shipping information available","Er is geen verzendinformatie beschikbaar" -"Print Order","Print Order" -"Subscribe to Order Status","Abonneren op Status van bestelling" -"Print All Invoices","Alle facturen printen" -"Invoice #","Factuur #" -"Print Invoice","Print Factuur" -"Qty Invoiced","Aantal Gefactureerd" -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped","Verzonden artikelen" -"Qty Shipped","Aantal verzonden" -"View All","Bekijk Alles" -"Gift Message for This Order","Cadeau-bericht voor deze bestelling" -"About Your Order","Over uw bestelling" -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title","Anker Custom Titel" -Phone,Phone -"Default Template","Vaststaand Sjabloon" -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,Verzending -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form","Bestellingen en Teruggaven Zoekscherm" -"PDF Credit Memos","PDF Kredietmemo's" -"PDF Invoices",PDF-facturen -"Invoice Date",Factuurdatum -"ZIP/Post Code",Postcode -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS","Nieuwe bestelling RSS" -"Print Invoices","Facturen afdrukken" -"Print Packing Slips","Print Packing Slips" -"Print Credit Memos","Print Kredietmemo's" -"Print All","Alles afdrukken" -"Print Shipping Labels","Print Verscheping Labels" -"Ship Date","Datum waarop Verstuurd" -"Total Quantity","Totaal Aant." -"Default Status","Standaard Status" -"State Code and Title","State Code and Title" -"PDF Packing Slips","PDF Packing Slips" -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/Sales/i18n/pt_BR.csv b/app/code/Magento/Sales/i18n/pt_BR.csv deleted file mode 100644 index 41380ea687d54..0000000000000 --- a/app/code/Magento/Sales/i18n/pt_BR.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,Remover -Close,Fechar -Cancel,Cancelar -Back,Voltar -"Add Products","Adicionar produtos" -"Update Items and Qty's","Atualizar Itens e Quantidades" -Product,Produto -Price,Preço -Quantity,Quantity -Products,Produtos -ID,Identidade -SKU,"Unidade de Manutenção de Estoque" -Apply,Solicitar -Configure,Configurar -"Shopping Cart","Carrinho de compras" -"Quote item id is not received.","A identidade do item cotado não foi recebida." -"Quote item is not loaded.","O item cotado não foi carregado." -No,Não -"Apply Coupon Code","Solicitar código do cupom" -"Remove Coupon Code","Remover código do cupom" -Qty,Quant. -"Row Subtotal","Coluna de subtotal" -Action,Ação -"No ordered items","Nenhum item solicitado" -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,Subtotal: -"Excl. Tax","Excluir taxas" -Total,Total -"Incl. Tax","Incluir taxas" -"Total incl. tax","Total incl. tax" -"Move to Wishlist","Mover para lista de presentes" -Edit,Editar -Item,Item -"Add to Cart","Adicionar ao carrinho" -Sku,SKU -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,Ordens -Customer,Cliente -Guest,Convidado -"Account Information","Informações da Conta" -"First Name","Nome do Cliente" -"Last Name","Último Nome do Cliente" -Email,"E-mail do Cliente" -Refresh,Atualizar -Enable,Enable -General,General -Yes,Sim -Name,Nome -Status,Status -Enabled,Enabled -Title,Título -Home,Home -Any,Any -From,De -To,Para -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,Pedido -"Order #%1","Order #%1" -"Shipping Amount","Valor do Frete" -"Tax Amount","Valor do Imposto" -View,Ver -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,Indisponível -Ordered,Solicitado -Invoiced,Faturado -Shipped,Enviado -Refunded,Reembolsado -Canceled,Cancelado -From:,De: -To:,Para: -"Gift Message","Mensagem de presente" -Message:,Mensagem: -"Tier Pricing","Preços por Nível" -"Go to Home Page","Go to Home Page" -"Customer Group","Grupo de Clientes" -Closed,"Está Fechado" -"Product Name","Nome do produto" -"Discount Amount","Quantia de Desconto" -Country,País -State/Province,Estado/Província -"Payment Information","Informação do Perfil" -"Shipping Information","Dados de Frete" -"Shipping Method","Tipo de Frete" -"Clear Shopping Cart","Limpar Carrinho de Compras" -City,Cidade -"Zip/Postal Code","Zip/Código Postal" -"Email Address","Endereço de e-mail" -Company,Companhia -Address,Address -"Street Address","Endereço da Rua" -Telephone,Telefone -"Save in address book","Salvar no catálogo de endereços" -Continue,Continue -"Order #","Order #" -"No Payment Methods","Nenhuma Forma de Pagamento" -"Billing Address","Endereço de faturamento" -"Shipping Address","Endereço de Envio" -"Payment Method","Nome do método de pagamento" -Sales,Vendas -Created,"Criada Em" -Select,Selecione -Comment,Comentário -%1,%1 -Date,Data -"Add New Address","Adicionar Novo Endereço" -"Purchase Date","Purchase Date" -"Bill-to Name","Faturar para Nome" -"Ship-to Name","Enviar em nome de" -"Order Total","Total do Pedido" -"Purchase Point","Comprado de (Loja)" -"Recent Orders","Pedidos Recentes" -Notified,Notificado -"Notify Customer by Email","Notificar cliente por e-mail" -Billing,Faturamento -"Newsletter Subscription","Assinatura do boletim informativo" -"Order Status","Status do pedido" -"Wish List","Wish List" -Pending,Pendente -"View Order","Ver Solicitação" -Amount,Valor -Message,Mensagem -Information,Informações -"Gift Options","Opções de presente" -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,Novo -"Custom Price","Preço Aduaneiro" -Processing,Processando -"Add To Order","Adicionar ao Pedido" -"Configure and Add to Order","Configurar e adicionar ao pedido" -"No items","Nenhum item" -Authorization,Autorização -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.","Transações de pagamento não permitem armazenar objetos." -"Transaction ID","ID da Transação" -"Order ID","ID da Ordem" -Void,Anular -"Created At","Created At" -"Payment Method:","Método de pagamento" -"Ship To","Enviar para" -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)","Total Geral (Moeda-Base)" -"Grand Total (Purchased)","Total Geral (Moeda da Compra)" -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,CSV -"Excel XML","Excel XML" -"Total Refunded","Total Reembolsado" -Paid,Pago -Coupons,Cupons -"Recently Viewed","Recentemente Visto" -"Recently Compared Products","Produtos Recentemente Comparados" -"Recently Viewed Products","Produtos Recentemente Vistos" -Print,Imprimir -"Submit Comment","Enviar Comentário" -Returned,Retornado -"Order Date","Data do pedido" -"Order # ","Order # " -"Order Date: ","Data do pedido:" -"Comment Text","Texto do comentário" -"Visible on Frontend","Visível no Frontend" -"Not Notified","Não notificado" -"Please select products.","Please select products." -Number,Número -"Order Date: %1","Order Date: %1" -"Shipping & Handling","Transporte & Manuseio" -"Credit Memos","Notas de Crédito" -Invoices,Faturas -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order","Criar novo pedido" -"Save Order Address","Salvar Endereço do Pedido" -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information","Informação de endereço do pedido" -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order","Enviar Pedido" -"Are you sure you want to cancel this order?","Tem certeza de que deseja cancelar esta ordem?" -"Order Comment","Comentário do pedido" -"Please select a customer.","Please select a customer." -"Create New Customer","Criar novo cliente" -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer","Criar novo pedido para novo cliente" -"Items Ordered","Itens pedidos" -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty","Quantidade solicitada do item" -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - Insira preço personalizado com imposto" -"* - Enter custom price excluding tax","* - Insira preço personalizado sem imposto" -"This product does not have any configurable options","Este produto não tem quaisquer opções configuráveis" -"Add Selected Product(s) to Order","Adicionar Produto(s) Selecionado ao Pedido" -"Update Changes","Atualizar alterações" -"Are you sure you want to delete all items from shopping cart?","Você tem certeza que quer excluir todos os itens do carrinho de compras?" -"Products in Comparison List","Produtos na Lista de Comparação" -"Last Ordered Items","Últimos itens pedidos" -"Please select a store.","Please select a store." -"Order Totals","Totais da Ordem" -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)","Reembolso do Envio (Imp. Incl.)" -"Refund Shipping (Excl. Tax)","Reembolso do Envio (Imp. Excl.)" -"Refund Shipping","Reembolso do Envio" -"Update Qty's","Atualizar qtde." -Refund,Reembolso -"Refund Offline","Reembolso Offline" -"Paid Amount","Valor pago" -"Refund Amount","Valor do Reembolso" -"Shipping Refund","Reembolso da entrega" -"Order Grand Total","Total geral do pedido" -"Adjustment Refund","Restituição de ajustamento" -"Adjustment Fee","Taxa de ajustamento" -"Send Email","Enviar email" -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent","o email de aviso de crédito não foi enviado" -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund","Total do Reembolso" -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment","Enviar fatura e remessa" -"Submit Invoice","Enviar fatura" -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo","Criar Memorando" -Capture,Captura -"the invoice email was sent","o email de fatura não foi enviado" -"the invoice email is not sent","o email de fatura não é enviado" -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses","Estados Atuais de Pedidos" -"Create New Status","Criar novo status" -"Assign Status to State","Atribuir Status para o Estado" -"Save Status Assignment","Salvar atribuição de status" -"Assign Order Status to State","Atribuir Status do Pedido para o Estado" -"Assignment Information","Informação de Atribuição" -"Order State","Situação do pedido" -"Use Order Status As Default","Usar status do pedido como padrão" -"Visible On Frontend","Visible On Frontend" -"Edit Order Status","Editar Status da Ordem (Pedido)" -"Save Status","Salvar status" -"New Order Status","Status do Novo Pedido" -"Order Status Information","Informação do status do pedido" -"Status Code","Código do status" -"Status Label","Etiqueta de status" -"Store View Specific Labels","Vista das Marcas Específicas da Loja" -"Total Paid","Total Pago" -"Total Due","Total Devido" -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?","Tem certeza de que deseja cancelar o pagamento?" -Hold,Suspender -hold,hold -Unhold,Liberar -unhold,unhold -"Are you sure you want to accept this payment?","Tem certeza de que deseja aceitar este pagamento?" -"Accept Payment","Pagamento Aceito" -"Are you sure you want to deny this payment?","Tem certeza que quer negar este pagamento?" -"Deny Payment","Recusar o Pagamento" -"Get Payment Update","Obter Atualização de Pagamento" -"Invoice and Ship","Fatura e Frete" -Invoice,Fatura -Ship,Envio -Reorder,Rearranjar -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos","Aviso de crédito do pedido" -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History","Histórico de comentários" -"Order History","Histórico do pedido" -"Order Information","Informação do pedido" -"Order Invoices","Faturas do pedido" -Shipments,Envios -"Order Shipments","Remessas de pedidos" -Transactions,Transações -"Order View","Visualizar Pedido" -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,Buscar -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,Senha -Value,Valor -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders","Voltar para Minhas Compras" -"View Another Order","Visualizar outro pedido" -"About Your Refund","Sobre Sua Restituição" -"My Orders","Meus Pedidos" -"About Your Invoice","Sobre Sua Fatura" -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged","Total a ser Cobrado" -Unassign,Desconsiderar -"We sent the message.","We sent the message." -"This order no longer exists.","Esta ordem não existe mais." -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.","O pagamento foi aceite." -"The payment has been denied.","O pagamento foi negado." -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.","Nenhum pedido suspenso temporariamente." -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.","Não existem documentos imprimíveis relacionados com as ordens selecionadas." -"The payment has been voided.","O pagamento foi declarado nulo." -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.","O código do cupão foi aceite." -"New Order","Novo Pedido" -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice","Nova Fatura" -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status","Criar novo status de pedido" -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.","Ocorreu um erro ao atribuir status da ordem. Status não foi atribuído." -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns","Pedidos e Devoluções" -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State","Estado desconhecido" -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status","Status desconhecido" -Backordered,Pendente -Partial,Parcial -Mixed,Misto -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.","Registrada uma notificação Void." -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.","Aprovou o pagamento on-line." -"There is no need to approve this payment.","Não há necessidade de aprovar esse pagamento." -"Registered notification about approved payment.","Notificação registrada sobre pagamento aprovado" -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.","Não há necessidade de negar esse pagamento." -"Registered notification about denied payment.","Aviso sobre pagamento recusado registrado." -"Registered update about approved payment.","Atualização registrada sobre pagamento aprovado" -"Registered update about denied payment.","Atualização registrada sobre pagamento recusado." -"There is no update for the payment.","Não há nenhuma atualização para o pagamento." -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.","Autorização anulada." -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed","Definir ordem de transações não permitidas existentes" -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:","Método de Envio:" -"Total Shipping Charges","Total dos Gastos de Envio" -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","Total (ex)" -"Total (inc)","Total (inc)" -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","Guia de remessa nº" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment","Pagamento Pendente" -"On Hold","Em espera" -Complete,Completar -"Suspected Fraud","Suspeita de Fraude" -"Payment Review","Revisão do pagamento" -"Changing address information will not recalculate shipping, tax or other order amount.","Mudança de informações de endereço não recalculará o transporte, taxa ou outro valor do pedido." -"Order Comments","Comentários do pedido" -"Order Currency:","Moeda do pedido:" -"Select from existing customer addresses:","Selecionar um endereço de cliente existente" -"Same As Billing Address","Mesmo endereço que o de cobrança" -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order","Mensagem de Presente para o Pedido Completo" -"Move to Shopping Cart","Mover para Carrinho de Compras" -"Subscribe to Newsletter","Assinar o Boletim Informativo" -"Click to change shipping method","Clique para alterar método de remessa" -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates","Obter tipos e taxas de frete" -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments","Anexar Comentários" -"Email Order Confirmation","Enviar EMail da Confirmação da Ordem (Pedido)" -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund","Itens para reembolso" -"Return to Stock","Retornar ao Estoque" -"Qty to Refund","Quant. para reembolso" -"Row Total","Total de Linha" -"No Items To Refund","Nenhum Item para Reembolso" -"Credit Memo Comments","Criar Comentários de Memorando" -"Refund Totals","Totais de Reembolso" -"Email Copy of Credit Memo","Enviar Email Cópia da Nota de Crédito" -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded","Itens reembolsados" -"No Items","Nenhum Item" -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment","Criar Frete" -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice","Qtde para Fatura" -"Invoice History","Invoice History" -"Invoice Comments","Comentários sobre Fatura" -"Invoice Totals","Invoice Totals" -"Capture Amount","Captura de Valor" -"Capture Online","Captura Online" -"Capture Offline","Captura Offline" -"Not Capture","Não capturado" -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice","Enviar Email Cópia da Fatura" -"Items Invoiced","Itens faturados" -"Total Tax","Total dos Impostos" -"From Name","Nome do Remetente" -"To Name","Para Nome" -"Add Order Comments","Adicionar Comentários ao Pedido" -"Notification Not Applicable","Notificação não aplicável" -"the order confirmation email was sent","o email de confirmação de pedido foi enviado" -"the order confirmation email is not sent","o email de confirmação de pedido não é enviado" -"Order Date (%1)","Order Date (%1)" -"Purchased From","Comprado de" -"Link to the New Order","Link para o Novo Pedido" -"Link to the Previous Order","Link para o Pedido Anterior" -"Placed from IP","Situado no IP" -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status","Status do item" -"Original Price","Preço Original" -"Tax Percent","Porcentagem de Imposto" -"Transaction Data","Transaction Data" -"Parent Transaction ID","ID da Transação Parental" -"Transaction Type","Tipo de Transação" -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order","Mensagem de Presente para Este Pedido" -"Shipped By","Enviado por" -"Tracking Number","Número de Rastreamento" -"Billing Last Name","Último Nome do Faturamento" -"Find Order By:","Encontrar Pedido Por:" -"ZIP Code","ZIP Code" -"Billing ZIP Code","Código Postal do Faturamento" -"Print All Refunds","Imprimir todos os reembolsos" -"Refund #","Reembolso #" -"Print Refund","Imprima Reembolso" -"You have placed no orders.","Não há pedidos feitos." -"Order Date: %1","Order Date: %1" -"No shipping information available","Não há informações de remessa" -"Print Order","Imprimir pedido" -"Subscribe to Order Status","Assinar status do pedido" -"Print All Invoices","Imprimir todas as faturas" -"Invoice #","Fatura Nº " -"Print Invoice","Imprima Faturamento" -"Qty Invoiced","Quant. faturada" -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped","Itens remetidos" -"Qty Shipped","Quantidade remessada" -"View All","Visualizar todos" -"Gift Message for This Order","Mensagem de Presente para Este Pedido" -"About Your Order","Sobre Seu Pedido" -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title","Título âncora personalizado" -Phone,Phone -"Default Template","Modelo padrão" -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,Remessa -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form","Busca de Pedidos e Devoluções" -"PDF Credit Memos","Avisos de crédito em PDF" -"PDF Invoices","Faturas em PDF" -"Invoice Date","Data da Fatura" -"ZIP/Post Code","Código Postal" -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS","Novo Pedido - RSS" -"Print Invoices","Imprimir faturas" -"Print Packing Slips","Imprima Packinglips" -"Print Credit Memos","Imprima Crédito Memos" -"Print All","Imprimir tudo" -"Print Shipping Labels","Imprimir Etiquetas de Envio" -"Ship Date","Enviado dia" -"Total Quantity","Quantidade Total" -"Default Status","Status Padrão" -"State Code and Title","State Code and Title" -"PDF Packing Slips","Guias de remessas em PDF" -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/Sales/i18n/zh_Hans_CN.csv b/app/code/Magento/Sales/i18n/zh_Hans_CN.csv deleted file mode 100644 index 72b4d5663d7eb..0000000000000 --- a/app/code/Magento/Sales/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,682 +0,0 @@ -Remove,删除 -Close,关闭 -Cancel,取消 -Back,返回 -"Add Products",添加产品 -"Update Items and Qty's",更新项目与数量 -Product,产品 -Price,价格 -Quantity,Quantity -Products,产品 -ID,ID -SKU,SKU -Apply,应用 -Configure,配置 -"Shopping Cart",购物车 -"Quote item id is not received.",报价项编号无法接受。 -"Quote item is not loaded.",报价项未被加载。 -No,否 -"Apply Coupon Code",应用折价券 -"Remove Coupon Code",删除折价券 -Qty,数量 -"Row Subtotal",行小计 -Action,操作 -"No ordered items",无订单项 -"Total %1 product(s)","Total %1 product(s)" -Subtotal:,小计: -"Excl. Tax",不含税 -Total,总数 -"Incl. Tax",含税 -"Total incl. tax","Total incl. tax" -"Move to Wishlist",移动到愿望清单 -Edit,编辑 -Item,商品 -"Add to Cart",添加到购物车 -Sku,Sku -"Order saving error: %1","Order saving error: %1" -"You created the order.","You created the order." -Orders,订单 -Customer,客户 -Guest,来宾 -"Account Information",帐户信息 -"First Name",顾客姓名 -"Last Name",客户姓氏 -Email,客户邮件 -Refresh,刷新 -Enable,Enable -General,General -Yes,是 -Name,姓名 -Status,状态 -Enabled,Enabled -Title,标题 -Home,Home -Any,Any -From,来自 -To,发送至 -" [deleted]"," [deleted]" -Dashboard,Dashboard -title,title -Specified,Specified -Order,订单 -"Order #%1","Order #%1" -"Shipping Amount",运送量 -"Tax Amount",税额 -View,查看 -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -N/A,N/A -Ordered,已下单 -Invoiced,已出发票 -Shipped,已发货 -Refunded,已存储 -Canceled,已取消 -From:,来自: -To:,至: -"Gift Message",礼品消息 -Message:,信息: -"Tier Pricing",层级价格 -"Go to Home Page","Go to Home Page" -"Customer Group",客户组 -Closed,已关闭 -"Product Name",产品名 -"Discount Amount",折扣帐户 -Country,国家 -State/Province,州/省 -"Payment Information",配置文件信息 -"Shipping Information",运送信息 -"Shipping Method",运送方式 -"Clear Shopping Cart",清空购物车 -City,城市 -"Zip/Postal Code",邮政编码 -"Email Address",编辑电子邮件地址 -Company,公司 -Address,Address -"Street Address",街道地址 -Telephone,电话 -"Save in address book",保存到地址簿 -Continue,继续 -"Order #","Order #" -"No Payment Methods",无支付方法 -"Billing Address",账单地址 -"Shipping Address",送货地址 -"Payment Method",支付方法的名称 -Sales,销售 -Created,创建于 -Select,选择 -Comment,评论 -%1,%1 -Date,日期 -"Add New Address",添加新地址 -"Purchase Date","Purchase Date" -"Bill-to Name",记账姓名 -"Ship-to Name",收货人 -"Order Total",订单总数 -"Purchase Point",购买自(店铺) -"Recent Orders",近期订单 -Notified,已通知。 -"Notify Customer by Email",通过电子邮件通知客户 -Billing,账单 -"Newsletter Subscription",新闻邮件订阅 -"Order Status",订单状态 -"Wish List","Wish List" -Pending,挂起 -"View Order",查看订单 -Amount,数量 -Message,信息 -Information,信息 -"Gift Options",礼品选项 -"If you don't want to leave a gift message for the entire order, leave this box blank.","If you don't want to leave a gift message for the entire order, leave this box blank." -New,新建 -"Custom Price",自定义价格 -Processing,正在处理 -"Add To Order",添加到订单 -"Configure and Add to Order",配置并添加到订单 -"No items",无项目 -Authorization,授权 -"Ordered amount of %1","Ordered amount of %1" -"Payment transactions disallow storing objects.",支付交易不允许的店铺对象。 -"Transaction ID",交易ID -"Order ID","订单 ID" -Void,无效 -"Created At","Created At" -"Payment Method:",支付方法: -"Ship To",送货至 -"Invalid parent block for this block","Invalid parent block for this block" -"Grand Total (Base)",G.T.(基本) -"Grand Total (Purchased)",G.T.(已购买) -"Customer Name","Customer Name" -"We couldn't update the payment.","We couldn't update the payment." -"Shopping Cart Price Rule","Shopping Cart Price Rule" -CSV,CSV -"Excel XML","Excel XML" -"Total Refunded",退款总量 -Paid,已付费 -Coupons,折价券 -"Recently Viewed",最近查看过的 -"Recently Compared Products",最近比较过的产品 -"Recently Viewed Products",最近查看过的产品 -Print,打印 -"Submit Comment",提交评论 -Returned,已退款 -"Order Date",订单日期 -"Order # ","Order # " -"Order Date: ",订单日期: -"Comment Text",评论文字 -"Visible on Frontend",前端可见 -"Not Notified",未通知 -"Please select products.","Please select products." -Number,数字 -"Order Date: %1","Order Date: %1" -"Shipping & Handling",运送与手续费 -"Credit Memos",信用记录 -Invoices,发票 -"We cannot get the order instance.","We cannot get the order instance." -"Create New Order",创建新订单 -"Save Order Address",保存订单地址 -"Edit Order %1 %2 Address","Edit Order %1 %2 Address" -"Order Address Information",订单地址信息 -"Please correct the parent block for this block.","Please correct the parent block for this block." -"Submit Order",提交订单 -"Are you sure you want to cancel this order?",您确认要取消该订单吗? -"Order Comment",订单评论 -"Please select a customer.","Please select a customer." -"Create New Customer",创建新客户 -"Edit Order #%1","Edit Order #%1" -"Create New Order for %1 in %2","Create New Order for %1 in %2" -"Create New Order for New Customer in %1","Create New Order for New Customer in %1" -"Create New Order for %1","Create New Order for %1" -"Create New Order for New Customer",为新客户创建新订单 -"Items Ordered",商品已下单 -"This product is disabled.","This product is disabled." -"Buy %1 for price %2","Buy %1 for price %2" -"Item ordered qty",下单商品的数量 -"%1 with %2 discount each","%1 with %2 discount each" -"%1 for %2","%1 for %2" -"* - Enter custom price including tax","* - 输入含税的自定义价格" -"* - Enter custom price excluding tax","* - 输入不含税的自定义价格" -"This product does not have any configurable options",该产品不包含任何可配置选项 -"Add Selected Product(s) to Order",添加所选产品到订单 -"Update Changes",更新更改 -"Are you sure you want to delete all items from shopping cart?",你是否确定要删除购物车中的所有内容? -"Products in Comparison List",比较列表中的产品 -"Last Ordered Items",上次订购的商品 -"Please select a store.","Please select a store." -"Order Totals",订单总数 -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"New Credit Memo for Invoice #%1","New Credit Memo for Invoice #%1" -"New Credit Memo for Order #%1","New Credit Memo for Order #%1" -"Refund Shipping (Incl. Tax)",发货退款(含税) -"Refund Shipping (Excl. Tax)",发货退款(不含税) -"Refund Shipping",发货退款 -"Update Qty's",更新数量 -Refund,退款 -"Refund Offline",离线退款 -"Paid Amount",付费金额 -"Refund Amount",退款额度 -"Shipping Refund",运单退款 -"Order Grand Total",订单总数 -"Adjustment Refund",调整退款 -"Adjustment Fee",调整费 -"Send Email",发送邮件 -"Are you sure you want to send a Credit memo email to customer?","Are you sure you want to send a Credit memo email to customer?" -"The credit memo email was sent","The credit memo email was sent" -"the credit memo email is not sent",信用备忘录邮件未发送 -"Credit Memo #%1 | %3 | %2 (%4)","Credit Memo #%1 | %3 | %2 (%4)" -"Total Refund",总退款额 -"New Invoice and Shipment for Order #%1","New Invoice and Shipment for Order #%1" -"New Invoice for Order #%1","New Invoice for Order #%1" -"Submit Invoice and Shipment",提交发票与运单 -"Submit Invoice",提交发票 -"Are you sure you want to send an Invoice email to customer?","Are you sure you want to send an Invoice email to customer?" -"Credit Memo",信用记录 -Capture,获取 -"the invoice email was sent",发票电子邮件已发送 -"the invoice email is not sent",发票电子邮件未发送 -"Invoice #%1 | %2 | %4 (%3)","Invoice #%1 | %2 | %4 (%3)" -"Order Statuses",订单状态 -"Create New Status",创建新状态 -"Assign Status to State",按国家分配状态 -"Save Status Assignment",保存状态协议 -"Assign Order Status to State",按国家分配订单状态 -"Assignment Information",分配信息 -"Order State",订单状态 -"Use Order Status As Default",默认使用订单状态 -"Visible On Frontend","Visible On Frontend" -"Edit Order Status",编辑订单状态 -"Save Status",销售状态 -"New Order Status",新订单状态 -"Order Status Information",订单状态信息 -"Status Code",状态代码 -"Status Label",状态标签 -"Store View Specific Labels",店铺视图指定的标签 -"Total Paid",同付款额 -"Total Due",总额 -"Are you sure you want to send an order email to customer?","Are you sure you want to send an order email to customer?" -"This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?","This will create an offline refund. ' 'To create an online refund, open an invoice and create credit memo for it. Do you want to continue?" -"Are you sure you want to void the payment?",您确认要使支付无效吗? -Hold,暂挂 -hold,hold -Unhold,适当 -unhold,unhold -"Are you sure you want to accept this payment?",您确认要接受该支付吗? -"Accept Payment",接受付款 -"Are you sure you want to deny this payment?",您确认要拒绝该支付吗? -"Deny Payment",拒绝支付 -"Get Payment Update",获得支付更新 -"Invoice and Ship",发票与发货 -Invoice,发票 -Ship,送货 -Reorder,记录 -"Order # %1 %2 | %3","Order # %1 %2 | %3" -"This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed.","This order contains (%1) items and therefore cannot be edited through the admin interface. ' 'If you wish to continue editing, the (%2) items will be removed, ' ' the order will be canceled and a new order will be placed." -"Are you sure? This order will be canceled and a new one will be created instead.","Are you sure? This order will be canceled and a new one will be created instead." -"Save Gift Message","Save Gift Message" -"Order Credit Memos",订单信用记录 -"Credit memo #%1 created","Credit memo #%1 created" -"Credit memo #%1 comment added","Credit memo #%1 comment added" -"Shipment #%1 created","Shipment #%1 created" -"Shipment #%1 comment added","Shipment #%1 comment added" -"Invoice #%1 created","Invoice #%1 created" -"Invoice #%1 comment added","Invoice #%1 comment added" -"Tracking number %1 for %2 assigned","Tracking number %1 for %2 assigned" -"Comments History",评论历史 -"Order History",订单历史 -"Order Information",订单信息 -"Order Invoices",订单发票 -Shipments,发货 -"Order Shipments",订单发货 -Transactions,交易 -"Order View",订单查看 -"Applies to Any of the Specified Order Statuses","Applies to Any of the Specified Order Statuses" -"Show Actual Values","Show Actual Values" -Fetch,获取 -"Transaction # %1 | %2","Transaction # %1 | %2" -Key,密钥 -Value,值 -"We found an invalid entity model.","We found an invalid entity model." -"Order # %1","Order # %1" -"Back to My Orders",返回我的订单 -"View Another Order",查看另一订单 -"About Your Refund",关于您的退款 -"My Orders",我的订单 -"About Your Invoice",关于您的发票 -"Print Order # %1","Print Order # %1" -"Grand Total to be Charged",需要收取的总费用 -Unassign,撤销分配 -"We sent the message.","We sent the message." -"This order no longer exists.",该订单已不存在。 -"Exception occurred during order load","Exception occurred during order load" -"You sent the order email.","You sent the order email." -"We couldn't send the email order.","We couldn't send the email order." -"You canceled the order.","You canceled the order." -"You have not canceled the item.","You have not canceled the item." -"You put the order on hold.","You put the order on hold." -"You have not put the order on hold.","You have not put the order on hold." -"You released the order from holding status.","You released the order from holding status." -"The order was not on hold.","The order was not on hold." -"The payment has been accepted.",支付已被接受。 -"The payment has been denied.",支付已被拒绝。 -"The payment update has been made.","The payment update has been made." -"Comment text cannot be empty.","Comment text cannot be empty." -"We cannot add order history.","We cannot add order history." -"%1 order(s) cannot be canceled.","%1 order(s) cannot be canceled." -"You cannot cancel the order(s).","You cannot cancel the order(s)." -"We canceled %1 order(s).","We canceled %1 order(s)." -"%1 order(s) were not put on hold.","%1 order(s) were not put on hold." -"No order(s) were put on hold.",没有被暂挂的订单。 -"You have put %1 order(s) on hold.","You have put %1 order(s) on hold." -"%1 order(s) were not released from on hold status.","%1 order(s) were not released from on hold status." -"No order(s) were released from on hold status.","No order(s) were released from on hold status." -"%1 order(s) have been released from on hold status.","%1 order(s) have been released from on hold status." -"There are no printable documents related to selected orders.",没有与所选订单有关的可打印文档。 -"The payment has been voided.",支付已被撤销。 -"We couldn't void the payment.","We couldn't void the payment." -"You updated the order address.","You updated the order address." -"Something went wrong updating the order address.","Something went wrong updating the order address." -"""%1"" coupon code is not valid.","""%1"" coupon code is not valid." -"The coupon code has been accepted.",该代金券代码已被使用。 -"New Order",新订单 -"The order no longer exists.","The order no longer exists." -"Cannot create credit memo for the order.","Cannot create credit memo for the order." -"View Memo for #%1","View Memo for #%1" -"View Memo","View Memo" -"New Memo for #%1","New Memo for #%1" -"New Memo","New Memo" -"Cannot update the item's quantity.","Cannot update the item's quantity." -"Credit memo's total must be positive.","Credit memo's total must be positive." -"Cannot create online refund for Refund to Store Credit.","Cannot create online refund for Refund to Store Credit." -"You created the credit memo.","You created the credit memo." -"Cannot save the credit memo.","Cannot save the credit memo." -"The credit memo has been canceled.","The credit memo has been canceled." -"You canceled the credit memo.","You canceled the credit memo." -"You voided the credit memo.","You voided the credit memo." -"We can't void the credit memo.","We can't void the credit memo." -"The Comment Text field cannot be empty.","The Comment Text field cannot be empty." -"Cannot add new comment.","Cannot add new comment." -"Edit Order","Edit Order" -"The invoice no longer exists.","The invoice no longer exists." -"The order does not allow an invoice to be created.","The order does not allow an invoice to be created." -"Cannot create an invoice without products.","Cannot create an invoice without products." -"New Invoice",新发票 -"Cannot update item quantity.","Cannot update item quantity." -"The invoice and the shipment have been created. ' 'The shipping label cannot be created now.","The invoice and the shipment have been created. ' 'The shipping label cannot be created now." -"You created the invoice and shipment.","You created the invoice and shipment." -"The invoice has been created.","The invoice has been created." -"We can't send the invoice email.","We can't send the invoice email." -"We can't send the shipment.","We can't send the shipment." -"We can't save the invoice.","We can't save the invoice." -"The invoice has been captured.","The invoice has been captured." -"Invoice capturing error","Invoice capturing error" -"You canceled the invoice.","You canceled the invoice." -"Invoice canceling error","Invoice canceling error" -"The invoice has been voided.","The invoice has been voided." -"Invoice voiding error","Invoice voiding error" -"Create New Order Status",创建新订单状态 -"We can't find this order status.","We can't find this order status." -"We found another order status with the same order status code.","We found another order status with the same order status code." -"You have saved the order status.","You have saved the order status." -"We couldn't add your order status because something went wrong saving.","We couldn't add your order status because something went wrong saving." -"You have assigned the order status.","You have assigned the order status." -"An error occurred while assigning order status. Status has not been assigned.",分配订单状态时发生错误。状态未被分配。 -"You have unassigned the order status.","You have unassigned the order status." -"Something went wrong while we were unassigning the order.","Something went wrong while we were unassigning the order." -"Something went wrong while saving the gift message.","Something went wrong while saving the gift message." -"The gift message has been saved.","The gift message has been saved." -"Please correct the transaction ID and try again.","Please correct the transaction ID and try again." -"The transaction details have been updated.","The transaction details have been updated." -"We can't update the transaction details.","We can't update the transaction details." -"Orders and Returns",订单与退货 -"This item price or quantity is not valid for checkout.","This item price or quantity is not valid for checkout." -"You entered incorrect data. Please try again.","You entered incorrect data. Please try again." -"We couldn't find this wish list.","We couldn't find this wish list." -"We could not add a product to cart by the ID ""%1"".","We could not add a product to cart by the ID ""%1""." -"There is an error in one of the option rows.","There is an error in one of the option rows." -"Shipping Address: ","Shipping Address: " -"Billing Address: ","Billing Address: " -"You need to specify order items.","You need to specify order items." -"You need to specify a shipping method.","You need to specify a shipping method." -"A payment method must be specified.","A payment method must be specified." -"This payment method instance is not available.","This payment method instance is not available." -"This payment method is not available.","This payment method is not available." -"VAT Request Identifier","VAT Request Identifier" -"VAT Request Date","VAT Request Date" -"The Order State ""%1"" must not be set manually.","The Order State ""%1"" must not be set manually." -"A hold action is not available.","A hold action is not available." -"You cannot remove the hold.","You cannot remove the hold." -"We cannot cancel this order.","We cannot cancel this order." -"The most money available to refund is %1.","The most money available to refund is %1." -"We cannot register an existing credit memo.","We cannot register an existing credit memo." -"Unknown State",未知州 -"We found an invalid quantity to refund item ""%1"".","We found an invalid quantity to refund item ""%1""." -"Maximum shipping amount allowed to refund is: %1","Maximum shipping amount allowed to refund is: %1" -"We cannot register an existing invoice","We cannot register an existing invoice" -"We found an invalid quantity to invoice item ""%1"".","We found an invalid quantity to invoice item ""%1""." -"Unknown Status",位置状态 -Backordered,延期 -Partial,部分 -Mixed,混合 -"An amount of %1 will be captured after being approved at the payment gateway.","An amount of %1 will be captured after being approved at the payment gateway." -"Captured amount of %1 online","Captured amount of %1 online" -"An order with subscription items was registered.","An order with subscription items was registered." -"The transaction ""%1"" cannot be captured yet.","The transaction ""%1"" cannot be captured yet." -"Order is suspended as its capture amount %1 is suspected to be fraudulent.","Order is suspended as its capture amount %1 is suspected to be fraudulent." -"Registered notification about captured amount of %1.","Registered notification about captured amount of %1." -"Registered a Void notification.",注册的撤销通知。 -"If the invoice was created offline, try creating an offline credit memo.","If the invoice was created offline, try creating an offline credit memo." -"We refunded %1 online.","We refunded %1 online." -"We refunded %1 offline.","We refunded %1 offline." -"IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""","IPN ""Refunded"". Refund issued by merchant. Registered notification about refunded amount of %1. Transaction ID: ""%2""" -"The credit memo has been created automatically.","The credit memo has been created automatically." -"Registered notification about refunded amount of %1.","Registered notification about refunded amount of %1." -"Canceled order online","Canceled order online" -"Canceled order offline","Canceled order offline" -"Approved the payment online.",已在线审核支付。 -"There is no need to approve this payment.",无需审核该支付。 -"Registered notification about approved payment.",注册的有关已审批支付的通知。 -"Denied the payment online","Denied the payment online" -"There is no need to deny this payment.",无需拒绝该支付。 -"Registered notification about denied payment.",注册的有关拒绝支付的通知。 -"Registered update about approved payment.",注册的有关已审批支付的更新。 -"Registered update about denied payment.",注册的有关拒绝支付的更新。 -"There is no update for the payment.",该支付无更新。 -"The order amount of %1 is pending approval on the payment gateway.","The order amount of %1 is pending approval on the payment gateway." -"We will authorize %1 after the payment is approved at the payment gateway.","We will authorize %1 after the payment is approved at the payment gateway." -"Authorized amount of %1","Authorized amount of %1" -"Voided authorization.",无效的认证。 -"Amount: %1.","Amount: %1." -"Transaction ID: ""%1""","Transaction ID: ""%1""" -"The parent transaction ID must have a transaction ID.","The parent transaction ID must have a transaction ID." -"The transaction ""%1"" (%2) is already closed.","The transaction ""%1"" (%2) is already closed." -"Set order for existing transactions not allowed",不允许对已存在的交易设置订单 -"At minimum, you need to set a payment ID.","At minimum, you need to set a payment ID." -"We found an unsupported transaction type ""%1"".","We found an unsupported transaction type ""%1""." -"Please set a proper payment object.","Please set a proper payment object." -"The Transaction ID field cannot be empty.","The Transaction ID field cannot be empty." -"You can't do this without a transaction object.","You can't do this without a transaction object." -"Sold to:","Sold to:" -"Ship to:","Ship to:" -"Shipping Method:",送货方法: -"Total Shipping Charges",总运费 -"We found an invalid renderer model.","We found an invalid renderer model." -"Please define the PDF object before using.","Please define the PDF object before using." -"We don't recognize the draw line data. Please define the ""lines"" array.","We don't recognize the draw line data. Please define the ""lines"" array." -"Total (ex)","总计 (ex)" -"Total (inc)",总数(含) -"Credit Memo # ","Credit Memo # " -"Invoice # ","Invoice # " -"The order object is not specified.","The order object is not specified." -"The source object is not specified.","The source object is not specified." -"An item object is not specified.","An item object is not specified." -"A PDF object is not specified.","A PDF object is not specified." -"A PDF page object is not specified.","A PDF page object is not specified." -"Packing Slip # ","包裹清单 #" -"We cannot register an existing shipment","We cannot register an existing shipment" -"We cannot create an empty shipment.","We cannot create an empty shipment." -"We found an invalid qty to ship for item ""%1"".","We found an invalid qty to ship for item ""%1""." -"The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal.","The total model should be extended from \Magento\Sales\Model\Order\Total\AbstractTotal." -"We cannot determine the field name.","We cannot determine the field name." -"Please specify a valid grid column alias name that exists in the grid table.","Please specify a valid grid column alias name that exists in the grid table." -"We don't have enough information to save the parent transaction ID.","We don't have enough information to save the parent transaction ID." -"The last status can't be unassigned from its current state.","The last status can't be unassigned from its current state." -"Pending Payment",挂起的支付 -"On Hold",暂挂 -Complete,完成 -"Suspected Fraud",欺诈嫌疑 -"Payment Review",支付预览 -"Changing address information will not recalculate shipping, tax or other order amount.",更改地址信息不会导致重新计算发货、税金,或其他金额。 -"Order Comments",订单评论 -"Order Currency:",订单币种: -"Select from existing customer addresses:",从现有客户地址选择: -"Same As Billing Address",与账单地址相同 -"You don't need to select a shipping address.","You don't need to select a shipping address." -"Gift Message for the Entire Order",整个订单的礼品信息 -"Move to Shopping Cart",移动到购物车 -"Subscribe to Newsletter",订阅到新闻通讯 -"Click to change shipping method",点击更改送货方法 -"Sorry, no quotes are available for this order.","Sorry, no quotes are available for this order." -"Get shipping methods and rates",获得发货方法和费率 -"You don't need to select a shipping method.","You don't need to select a shipping method." -"Customer's Activities","Customer's Activities" -"Append Comments",附加评论 -"Email Order Confirmation",订单确认用邮件发送 -"Grand Total Excl. Tax","Grand Total Excl. Tax" -"Grand Total Incl. Tax","Grand Total Incl. Tax" -"Subtotal (Excl. Tax)","Subtotal (Excl. Tax)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Tax)" -"The order was placed using %1.","The order was placed using %1." -"Items to Refund",要退货的商品 -"Return to Stock",返回库存 -"Qty to Refund",要退款的数量 -"Row Total",总行数 -"No Items To Refund",无可退款项目 -"Credit Memo Comments",信用记录评论 -"Refund Totals",退款总数 -"Email Copy of Credit Memo",信用记录副本用邮件发送 -"Please enter a positive number in this field.","Please enter a positive number in this field." -"Items Refunded",商品已退款 -"No Items",无项目 -"Credit Memo History","Credit Memo History" -"Credit Memo Totals","Credit Memo Totals" -"Create Shipment",创建运单 -"Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice.","Invoice and shipment types do not match for some items on this order. You can create a shipment only after creating the invoice." -"Qty to Invoice",发票数量 -"Invoice History","Invoice History" -"Invoice Comments",发票评论 -"Invoice Totals","Invoice Totals" -"Capture Amount",获取额度 -"Capture Online",在线获取 -"Capture Offline",离线获取 -"Not Capture",无获取 -"The invoice will be created offline without the payment gateway.","The invoice will be created offline without the payment gateway." -"Email Copy of Invoice",发票副本用邮件发送 -"Items Invoiced",商品移开发票 -"Total Tax",总税款 -"From Name",通过名称 -"To Name",到名称 -"Add Order Comments",添加订单评论 -"Notification Not Applicable",通知不可用 -"the order confirmation email was sent",订单确认电子邮件已发送 -"the order confirmation email is not sent",订单确认电子邮件未发送 -"Order Date (%1)","Order Date (%1)" -"Purchased From",购买自 -"Link to the New Order",链接到新订单 -"Link to the Previous Order",连接到前一订单 -"Placed from IP",下单用的IP -"%1 / %2 rate:","%1 / %2 rate:" -"Item Status",商品状态 -"Original Price",原始价格 -"Tax Percent",税率 -"Transaction Data","Transaction Data" -"Parent Transaction ID",父交易ID -"Transaction Type",交易类型 -"Is Closed","Is Closed" -"Child Transactions","Child Transactions" -"Transaction Details","Transaction Details" -"Gift Message for this Order",该订单的礼品信息 -"Shipped By",送货方 -"Tracking Number",追踪编号 -"Billing Last Name",按姓氏记账 -"Find Order By:",订单查找条件: -"ZIP Code","ZIP Code" -"Billing ZIP Code",按邮编记账 -"Print All Refunds",打印所有退款 -"Refund #","退款 #" -"Print Refund",打印退款 -"You have placed no orders.",您没有下订单。 -"Order Date: %1","Order Date: %1" -"No shipping information available",无可用发货信息 -"Print Order",打印订单 -"Subscribe to Order Status",订阅订单状态 -"Print All Invoices",打印所有发票 -"Invoice #","发票 #" -"Print Invoice",打印发票 -"Qty Invoiced",已开发票数量 -"Refund #%1","Refund #%1" -"Invoice #%1","Invoice #%1" -"Shipment #%1","Shipment #%1" -"Items Shipped",商品已发货 -"Qty Shipped",已发货数量 -"View All",查看全部 -"Gift Message for This Order",该订单的礼品信息 -"About Your Order",关于您的订单 -"Shipment Comments","Shipment Comments" -"Gift Options for ","Gift Options for " -Ok,Ok -"Anchor Custom Title",自定义标题锚点 -Phone,Phone -"Default Template",默认模板 -"Minimum Order Amount","Minimum Order Amount" -Comma-separated,Comma-separated -"Hide Customer IP","Hide Customer IP" -"Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos.","Choose whether a customer IP is shown in orders, invoices, shipments, and credit memos." -"Checkout Totals Sort Order","Checkout Totals Sort Order" -"Allow Reorder","Allow Reorder" -"Invoice and Packing Slip Design","Invoice and Packing Slip Design" -"Logo for PDF Print-outs (200x50)","Logo for PDF Print-outs (200x50)" -" - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - "," - Your default logo will be used in PDF and HTML documents.
(jpeg, tiff, png) If your pdf image is distorted, try to use larger file-size image. - " -"Logo for HTML Print View","Logo for HTML Print View" -" - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - "," - Logo for HTML documents only. If empty, default will be used.
(jpeg, gif, png) - " -"Minimum Amount","Minimum Amount" -"Subtotal after discount","Subtotal after discount" -"Description Message","Description Message" -"This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount.","This message will be shown in the shopping cart when the subtotal (after discount) is lower than the minimum allowed amount." -"Error to Show in Shopping Cart","Error to Show in Shopping Cart" -"Validate Each Address Separately in Multi-address Checkout","Validate Each Address Separately in Multi-address Checkout" -"Multi-address Description Message","Multi-address Description Message" -"We'll use the default description above if you leave this empty.","We'll use the default description above if you leave this empty." -"Multi-address Error to Show in Shopping Cart","Multi-address Error to Show in Shopping Cart" -"We'll use the default error above if you leave this empty.","We'll use the default error above if you leave this empty." -"Use Aggregated Data (beta)","Use Aggregated Data (beta)" -"Sales Emails","Sales Emails" -"New Order Confirmation Email Sender","New Order Confirmation Email Sender" -"New Order Confirmation Template","New Order Confirmation Template" -"New Order Confirmation Template for Guest","New Order Confirmation Template for Guest" -"Send Order Email Copy To","Send Order Email Copy To" -"Send Order Email Copy Method","Send Order Email Copy Method" -"Order Comment Email Sender","Order Comment Email Sender" -"Order Comment Email Template","Order Comment Email Template" -"Order Comment Email Template for Guest","Order Comment Email Template for Guest" -"Send Order Comment Email Copy To","Send Order Comment Email Copy To" -"Send Order Comments Email Copy Method","Send Order Comments Email Copy Method" -"Invoice Email Sender","Invoice Email Sender" -"Invoice Email Template","Invoice Email Template" -"Invoice Email Template for Guest","Invoice Email Template for Guest" -"Send Invoice Email Copy To","Send Invoice Email Copy To" -"Send Invoice Email Copy Method","Send Invoice Email Copy Method" -"Invoice Comment Email Sender","Invoice Comment Email Sender" -"Invoice Comment Email Template","Invoice Comment Email Template" -"Invoice Comment Email Template for Guest","Invoice Comment Email Template for Guest" -"Send Invoice Comment Email Copy To","Send Invoice Comment Email Copy To" -"Send Invoice Comments Email Copy Method","Send Invoice Comments Email Copy Method" -Shipment,发货 -"Shipment Email Sender","Shipment Email Sender" -"Shipment Email Template","Shipment Email Template" -"Shipment Email Template for Guest","Shipment Email Template for Guest" -"Send Shipment Email Copy To","Send Shipment Email Copy To" -"Send Shipment Email Copy Method","Send Shipment Email Copy Method" -"Shipment Comment Email Sender","Shipment Comment Email Sender" -"Shipment Comment Email Template","Shipment Comment Email Template" -"Shipment Comment Email Template for Guest","Shipment Comment Email Template for Guest" -"Send Shipment Comment Email Copy To","Send Shipment Comment Email Copy To" -"Send Shipment Comments Email Copy Method","Send Shipment Comments Email Copy Method" -"Credit Memo Email Sender","Credit Memo Email Sender" -"Credit Memo Email Template","Credit Memo Email Template" -"Credit Memo Email Template for Guest","Credit Memo Email Template for Guest" -"Send Credit Memo Email Copy To","Send Credit Memo Email Copy To" -"Send Credit Memo Email Copy Method","Send Credit Memo Email Copy Method" -"Credit Memo Comment Email Sender","Credit Memo Comment Email Sender" -"Credit Memo Comment Email Template","Credit Memo Comment Email Template" -"Credit Memo Comment Email Template for Guest","Credit Memo Comment Email Template for Guest" -"Send Credit Memo Comment Email Copy To","Send Credit Memo Comment Email Copy To" -"Send Credit Memo Comments Email Copy Method","Send Credit Memo Comments Email Copy Method" -"PDF Print-outs","PDF Print-outs" -"Display Order ID in Header","Display Order ID in Header" -"Orders and Returns Search Form",订单与退货搜索表单 -"PDF Credit Memos",PDF版信用记录 -"PDF Invoices",PDF版发票 -"Invoice Date",发票日期 -"ZIP/Post Code",邮政编码 -"Signed-up Point","Signed-up Point" -order-header,order-header -"New Order RSS",新订单RSS -"Print Invoices",打印发票 -"Print Packing Slips",打印包裹清单 -"Print Credit Memos",打印信用记录 -"Print All",打印全部 -"Print Shipping Labels",打印运单标签 -"Ship Date",发货日期 -"Total Quantity",总数量 -"Default Status",默认状态 -"State Code and Title","State Code and Title" -"PDF Packing Slips",PDF版包裹清单 -"Status can't be unassigned, because it is used by existing order(s).","Status can't be unassigned, because it is used by existing order(s)." -Operations,Operations diff --git a/app/code/Magento/SalesRule/i18n/de_DE.csv b/app/code/Magento/SalesRule/i18n/de_DE.csv deleted file mode 100644 index c52146d658709..0000000000000 --- a/app/code/Magento/SalesRule/i18n/de_DE.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,ID -Apply,Anwenden -No,Nein -Subtotal,"Zwischensumme des Betrags" -Discount,Rabattbetrag -Uses,"Anzahl der Verwendungen" -Delete,Delete -Yes,Ja -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -Description,Beschreibung -Catalog,Katalog -Actions,Aktionen -Rule,Regelname -"Start on",Startdatum -"End on",Verfalldatum -Active,Aktiv -"This rule no longer exists.","Diese Regel existiert nicht mehr." -"General Information","Allgemeine Information" -Websites,Websites -"Add New Rule","Neue Regel hinzufügen" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Neue Regel" -"Rule Information",Regelinformation -"Discount Amount","Discount Amount" -"Stop Further Rules Processing","Weitere Regelbearbeitung abbrechen" -Conditions,Bedingungen -"Rule Name","Rule Name" -Inactive,"Nicht aktiv" -"Customer Groups",Kundengruppen -"From Date","Von Datum" -"To Date","Bis Datum" -Priority,Priorität -Promotions,Promotionen -"Edit Rule","Regel ändern" -"The rule has been saved.","Die Regel wurde gespeichert." -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.","Die Regel wurde gelöscht." -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product","Produkt aktualisieren" -"To Fixed Value","Zu festen Wert" -"To Percentage","Zu Prozent" -"By Fixed value","Nach festen Wert" -"By Percentage","Nach Prozent" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method",Lieferungsart -"Payment Method",Zahlungsart -Created,"Erstellt am" -Alphanumeric,Alphanumerisch -"Apply To","Anwenden auf" -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,Alphabetisch -Numeric,Numerisch -Generate,Erstellen -Auto,Automatisch -Coupon,Gutschein -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code",Gutscheincode -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight",Gesamtgewicht -"Discount (%1)","Discount (%1)" -"Store View Specific Labels","Überblick spezifischer Etikette im Lager" -"Shopping Cart Price Rules","Warenkorb Preisgebote" -"Update prices using the following information","Finden Sie neue Preise mit den folgenden Informationen" -"Percent of product price discount","Prozente für Rabatt auf den Verkaufspreis" -"Fixed amount discount","Rabatt mit festem Wert" -"Fixed amount discount for whole cart","Fester Rabattbetrag für gesamten Warenkorb" -"Buy X get Y free (discount amount is Y)","X kaufen, Y kostenlos bekommen (Rabattbetrag ist Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount","Auf Versandbetrag anwenden" -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes","Kupon-Kennungen verwalten" -"Coupons Information",Kuponinformationen -"Coupon Qty","Coupon Qty" -"Code Length","Kennung -Länge" -"Excluding prefix, suffix and separators.","Ausgenommen Präfix, Zusatzziffern und Trenner." -"Code Format","Kennung -Format" -"Code Prefix","Kennung- Präfix" -"Code Suffix","Kennung - Zusatz" -"Dash Every X Characters","Trennstrichs alle X Ziffern" -"If empty no separation.","Wenn leer, keine Trennung." -"Times Used","Wie oft eingelöst" -"Are you sure you want to delete the selected coupon(s)?","Wollen sie die ausgewählten Kupons wirklich löschen?" -Labels,Bezeichnungen -"Default Label",Standardlabel -"Default Rule Label for All Store Views","Standardregel Label für alle StoreViews" -"Use Auto Generation","Über Automatische Erstellung" -"If you select and save the rule you will be able to generate multiple coupon codes.","Wenn sie diese Erstellungsregel auswählen und abspeichern, können sie mehrere Kupon-Kennziffern erstellen." -"Uses per Coupon","Verwendung je Gutschein" -"Uses per Customer","Verwendung je Kunde" -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed","Im RSS Feed veröffentlichen" -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined","Regel nicht definiert" -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code","Kupon mit gleicher Kennung" -"No Coupon","Kein Gutschein" -"Specific Coupon","spezieller Gutschein" -"Can't acquire coupon.","Kann Gutschein nicht erwerben." -"Special Price",Sonderpreis -"Total Items Quantity","Gesamtmenge aller Artikel" -"Shipping Postcode","Postleitzahl der Lieferadresse" -"Shipping Region","Region der Lieferadresse" -"Shipping State/Province","Bundesland/Provinz der Lieferadresse" -"Shipping Country",Lieferland -"Product attribute combination","Kombination der Produktmerkmale" -"Products subselection",Produktunterauswahl -"Conditions combination",Bedingungskombination -"Cart Attribute",Warenkorbattribut -"Quantity in cart","Menge im Warenkorb" -"Price in cart","Preis im Warenkorb" -"Row total in cart","Zeile Gesamt im Warenkorb" -"Cart Item Attribute","Cart Item Attribute" -FOUND,GEFUNDEN -"NOT FOUND","NICHT GEFUNDEN" -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity",Gesamtmenge -"total amount",Gesamtsumme -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SalesRule/i18n/es_ES.csv b/app/code/Magento/SalesRule/i18n/es_ES.csv deleted file mode 100644 index fc6b9f1363d87..0000000000000 --- a/app/code/Magento/SalesRule/i18n/es_ES.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,ID -Apply,Solicitar -No,No -Subtotal,"Cantidad subtotal" -Discount,"Cantidad Descontada" -Uses,"Número de Usos" -Delete,Delete -Yes,Sí -"Web Site","Web Site" -Status,Estado -"Save and Continue Edit","Guardar y continuar editando" -Description,Descripción -Catalog,Catálogo -Actions,Acciones -Rule,"Nombre de la Regla" -"Start on","Fecha de inicio" -"End on","Fecha de caducidad" -Active,Activo -"This rule no longer exists.","Esta regla ya no existe." -"General Information","Información general" -Websites,"Páginas Web" -"Add New Rule","Añadir nueva regla" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nueva Regla" -"Rule Information","Información sobre la Regla" -"Discount Amount","Discount Amount" -"Stop Further Rules Processing","Detener el Procesamiento de Reglas adicionales" -Conditions,Condiciones -"Rule Name","Rule Name" -Inactive,Inactivo -"Customer Groups","Grupos de Cliente" -"From Date","A partir de la fecha" -"To Date","Hasta la fecha" -Priority,Prioridad -Promotions,Promociones -"Edit Rule","Editar Regla" -"The rule has been saved.","La regla ha sido guardada." -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.","La regla ha sido eliminada." -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product","Actualizar el Producto" -"To Fixed Value","Para Valor Fijo" -"To Percentage","Para Porcentaje" -"By Fixed value","Por valor Fijo" -"By Percentage","Por Porcentaje" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method","Método de envío" -"Payment Method","Método de pago" -Created,Creado -Alphanumeric,Alfanumérico -"Apply To","Aplicar a." -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,alfabético -Numeric,Numérico -Generate,Generar -Auto,Auto -Coupon,Cupón -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code","Código de cupón" -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight","Peso total" -"Discount (%1)","Discount (%1)" -"Store View Specific Labels","Etiquetas específicas de la vista de tienda" -"Shopping Cart Price Rules","Reglas de Precio de Carro de Compra" -"Update prices using the following information","Actualizar precios utilizando la siguiente información" -"Percent of product price discount","Porcentaje de descuento en el precio del producto" -"Fixed amount discount","Descuento de cantidad fija" -"Fixed amount discount for whole cart","Descuento de cantidad fija para el carro completo" -"Buy X get Y free (discount amount is Y)","Compre X y llévese Y gratis (la cantidad descontada es Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount","Aplíquese a la Cantidad de Envío" -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes","Administrar códigos de cupones" -"Coupons Information","Información sobre cupones" -"Coupon Qty","Coupon Qty" -"Code Length","Código de longitud" -"Excluding prefix, suffix and separators.","excluyendo prefijos, sufijos y separaciones" -"Code Format","Código de formato" -"Code Prefix","Código de prefijo" -"Code Suffix","Código de sufijo" -"Dash Every X Characters","Guión cada ""X"" caracteres" -"If empty no separation.","Si está vacío no hay separación." -"Times Used","Tiempos utilizados" -"Are you sure you want to delete the selected coupon(s)?","¿Está seguro de que quiere eliminar el cupón/los cupones seleccionado(s)?" -Labels,Etiquetas -"Default Label","Etiqueta por Defecto" -"Default Rule Label for All Store Views","Etiqueta Normativa por Defecto para Todas las Vistas de la Tienda" -"Use Auto Generation","Utilizar Generación Automática" -"If you select and save the rule you will be able to generate multiple coupon codes.","Si selecciona y guarda esta norma, podrá generar múltiples códigos de cupones." -"Uses per Coupon","Usos por cupón" -"Uses per Customer","Usos por cliente" -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed","Publicar feed RSS" -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined","Regla no definida" -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code","Cupón con el mismo código" -"No Coupon","Sin cupón" -"Specific Coupon","Cupón específico" -"Can't acquire coupon.","No se puede adquirir el cupón." -"Special Price","Precio especial" -"Total Items Quantity","Cantidad total de artículos" -"Shipping Postcode","Código Postal" -"Shipping Region","Región de envío" -"Shipping State/Province","Provincia/Estado de envío" -"Shipping Country","País de envío" -"Product attribute combination","Combinación de atributos de producto" -"Products subselection","Subselección de productos" -"Conditions combination","Combinación de condiciones" -"Cart Attribute","Atributos del Carro" -"Quantity in cart","Cantidad en el carrito" -"Price in cart","Precio en el carrito" -"Row total in cart","Total de filas en el carrito" -"Cart Item Attribute","Cart Item Attribute" -FOUND,ENCONTRADO -"NOT FOUND","NO ENCONTRADO" -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity","Suma total" -"total amount","Cantidad total" -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SalesRule/i18n/fr_FR.csv b/app/code/Magento/SalesRule/i18n/fr_FR.csv deleted file mode 100644 index 035c5cbde9551..0000000000000 --- a/app/code/Magento/SalesRule/i18n/fr_FR.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,ID -Apply,Appliquer -No,Non -Subtotal,"Montant du sous-total" -Discount,"Montant de la remise" -Uses,"Nombre d'utilisations" -Delete,Delete -Yes,oui -"Web Site","Web Site" -Status,Statut -"Save and Continue Edit","Sauvegarder et continuer l'édition" -Description,Description -Catalog,Catalogue -Actions,Action -Rule,"Nom de règle" -"Start on","Date de début" -"End on","Date d'expiration" -Active,Actif -"This rule no longer exists.","Cette règle n'existe plus." -"General Information","Informations générales" -Websites,"Sites Web" -"Add New Rule","Ajouter nouvelle règle" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nouvelle règle" -"Rule Information","Information de règle" -"Discount Amount","Discount Amount" -"Stop Further Rules Processing","Ne pas aller plus loin dans le traitement des règles" -Conditions,Conditions -"Rule Name","Rule Name" -Inactive,Inactif -"Customer Groups","Groupes de clients" -"From Date",Depuis -"To Date","Date de fin" -Priority,Priorité -Promotions,Promotions -"Edit Rule","Éditer la règle" -"The rule has been saved.","La règle a été sauvée." -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.","La règle a été supprimée." -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product","Mettre à jour le produit" -"To Fixed Value","Une certaine valeur" -"To Percentage","Au pourcentage" -"By Fixed value","par valeur fixe" -"By Percentage","par pourcentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method","Méthode d'expédition" -"Payment Method","Méthode de paiement" -Created,"Créé le" -Alphanumeric,Alphanumérique -"Apply To","Appliquer à" -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,Alphabétique -Numeric,Numérique -Generate,Créer -Auto,Automatique -Coupon,Coupon -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code","Code coupon" -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight","Poids total" -"Discount (%1)","Discount (%1)" -"Store View Specific Labels","Voir le magasin Labels spécifiques" -"Shopping Cart Price Rules","Règles de prix du panier" -"Update prices using the following information","Mettre à jour les prix en utilisant les informations suivantes" -"Percent of product price discount","Pour cent de réduction des prix des produits" -"Fixed amount discount","Montant fixe de la remise" -"Fixed amount discount for whole cart","Montant fixe de la remise pour tout le panier" -"Buy X get Y free (discount amount is Y)","Achetez X et obtenez Y gratuitement (le montant de la remise est Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount","Appliquer au montant de la livraison" -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes","Gérer les codes de bon" -"Coupons Information","Informations des bons" -"Coupon Qty","Coupon Qty" -"Code Length","Longueur du code" -"Excluding prefix, suffix and separators.","Exclure les préfixes, suffixes et séparateurs." -"Code Format","Format du code" -"Code Prefix","Préfixe du code" -"Code Suffix","Suffixe du code" -"Dash Every X Characters","Supprimer tous les caractères X" -"If empty no separation.","Pas de séparation si vide." -"Times Used","Périodes utilisées" -"Are you sure you want to delete the selected coupon(s)?","Êtes-vous sûrs de vouloir supprimer le(s) bon(s) sélectionné(s) ?" -Labels,Etiquettes -"Default Label","Emballage par défaut" -"Default Rule Label for All Store Views","Règle d'étiquetage par défaut pour toutes les vues du magasins" -"Use Auto Generation","Utiliser la création automatique" -"If you select and save the rule you will be able to generate multiple coupon codes.","Si vous sélectionnez et sauvegardez la règle, vous aurez la possibilité de créer plusieurs codes de bon." -"Uses per Coupon","Utilisations par coupon" -"Uses per Customer","Utilisations par client" -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed","Public dans le flux RSS" -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined","La règle n'est pas définie" -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code","Bon avec le même code" -"No Coupon","Pas de coupon" -"Specific Coupon","Coupon spécifique" -"Can't acquire coupon.","ne peut pas obtenir le coupon" -"Special Price","Prix spécial" -"Total Items Quantity","Quantité d'articles totale" -"Shipping Postcode","Code postal pour l'expédition" -"Shipping Region","Région d'expédition" -"Shipping State/Province","État/Région d'expédition" -"Shipping Country","Méthode d'expédition" -"Product attribute combination","Combinaison d'attributs de produits" -"Products subselection","Sous-sélection de produits" -"Conditions combination","Couplage des conditions" -"Cart Attribute","Attribut du panier" -"Quantity in cart","Quantité dans le panier" -"Price in cart","Prix dans le panier" -"Row total in cart","Ligne total dans le panier" -"Cart Item Attribute","Cart Item Attribute" -FOUND,TROUVE -"NOT FOUND","NON TROUVE" -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity","quantité totale" -"total amount","montant total" -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SalesRule/i18n/nl_NL.csv b/app/code/Magento/SalesRule/i18n/nl_NL.csv deleted file mode 100644 index 70a6fe8eedef1..0000000000000 --- a/app/code/Magento/SalesRule/i18n/nl_NL.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,ID -Apply,Aanbrengen -No,Nee -Subtotal,"Subtotaal bedrag" -Discount,Kortingsbedrag -Uses,"Aantal gebruiken" -Delete,Delete -Yes,ja -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Bewaar en Ga Door met Bewerking" -Description,Omschrijving -Catalog,Catalogus -Actions,Acties -Rule,"Regel naam" -"Start on",Startdatum -"End on",Vervaldatum -Active,actief -"This rule no longer exists.","Deze regel bestaat niet langer" -"General Information","Algemene informatie" -Websites,Websites -"Add New Rule","voeg nieuwe regel toe" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nieuwe regel" -"Rule Information","Regel informatie" -"Discount Amount","Discount Amount" -"Stop Further Rules Processing","Stop verdere verwerking van regels" -Conditions,Voorwaarden -"Rule Name","Rule Name" -Inactive,Inactief -"Customer Groups",Klantgroepen -"From Date","Vanaf datum" -"To Date","Naar datum" -Priority,Prioriteit -Promotions,Promoties -"Edit Rule","Bewerk regel" -"The rule has been saved.","De regel is opgeslagen." -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.","De regel is verwijderd" -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product","Vernieuw het product" -"To Fixed Value","Naar gefixeerde waarde" -"To Percentage","Naar percentage" -"By Fixed value","Bij gefixeerde waarde" -"By Percentage","Bij percentage" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method",Bezorgmethode -"Payment Method",Betalingsmethode -Created,"Gemaakt Op" -Alphanumeric,Alfanumeriek -"Apply To","Aanbrengen op" -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,Alfabetisch -Numeric,Numerieke -Generate,Aanmaken -Auto,Auto -Coupon,Kortingsbon -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code",Kortingsboncode -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight",Totaalgewicht -"Discount (%1)","Discount (%1)" -"Store View Specific Labels","Winkel bekijk specifieke labels" -"Shopping Cart Price Rules","Winkelmandje prijsregels" -"Update prices using the following information","Update prijzen, gebruikmakende van de volgende informatie" -"Percent of product price discount","Procent van productprijs als korting" -"Fixed amount discount","Gefixeerd bedrag korting" -"Fixed amount discount for whole cart","Gefixeerd bedrag korting voor de hele winkelwagen" -"Buy X get Y free (discount amount is Y)","Koop X, krijg Y gratis (kortingsbedrag is Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount","Breng aan op verzendhoeveelheid" -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes","Beheer Coupon Codes" -"Coupons Information","Coupons Informatie" -"Coupon Qty","Coupon Qty" -"Code Length","Code Lengte" -"Excluding prefix, suffix and separators.","Exclusief voorvoegsels, achtervoegsels en afscheiders." -"Code Format","Code Formaat" -"Code Prefix","Code Voorvoegsel" -"Code Suffix","Code Achtervoegsel" -"Dash Every X Characters","Dash Alle X-tekens" -"If empty no separation.","Indien leeg geen scheiding." -"Times Used","Tijd Gebruikt" -"Are you sure you want to delete the selected coupon(s)?","Weet u zeker dat u de geselecteerde coupon(s) wilt verwijderen?" -Labels,Labels -"Default Label",Standaardlabel -"Default Rule Label for All Store Views","Standaard regel label voor alle winkelweergaven" -"Use Auto Generation","Gebruik de Automatische Generatie" -"If you select and save the rule you will be able to generate multiple coupon codes.","Als u de regel selecteert en opslaat kunt u meerdere coupon codes genereren." -"Uses per Coupon","Aantal gebruiken per kortingsbon" -"Uses per Customer","Aantal gebruiken per klant" -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed","Publiekelijk in RSS Feed" -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined","Regel is niet gedefinieerd" -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code","Coupon met dezelfde code" -"No Coupon","Geen kortingsbon" -"Specific Coupon","Specifieke kortingsbon" -"Can't acquire coupon.","Kan geen kortingsbon verkrijgen" -"Special Price","Speciale prijs" -"Total Items Quantity","Totale hoeveelheid producten" -"Shipping Postcode","Verzending postcode" -"Shipping Region","Verzending regio" -"Shipping State/Province","Verzending provincie/staat" -"Shipping Country","Verzending land" -"Product attribute combination","Product attributen combinatie" -"Products subselection","Producten subselectie" -"Conditions combination","Voorwaarden combinatie" -"Cart Attribute","Winkelwagen attribuut" -"Quantity in cart","Hoeveelheid in winkelwagen" -"Price in cart","Prijs in winkelwagen" -"Row total in cart","Rij totalen in winkelwagen" -"Cart Item Attribute","Cart Item Attribute" -FOUND,GEVONDEN -"NOT FOUND","NIET GEVONDEN" -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity","totaal aantal" -"total amount","totaal bedrag" -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SalesRule/i18n/pt_BR.csv b/app/code/Magento/SalesRule/i18n/pt_BR.csv deleted file mode 100644 index b01726fff1364..0000000000000 --- a/app/code/Magento/SalesRule/i18n/pt_BR.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,Identidade -Apply,Solicitar -No,Não -Subtotal,"Valor Subtotal" -Discount,"Quantia de Desconto" -Uses,"Número de Usuários" -Delete,Delete -Yes,Sim -"Web Site","Web Site" -Status,Status -"Save and Continue Edit","Salvar e continuar a editar" -Description,Descrição -Catalog,Catálogo -Actions,Ações -Rule,"Nome da Regra" -"Start on","Data Inicial" -"End on",Vencimento -Active,Ativo -"This rule no longer exists.","Essa regra não existe mais." -"General Information","Informações gerais" -Websites,Sites -"Add New Rule","Adicionar nova regra" -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule","Nova Regra" -"Rule Information","Informação da Regra" -"Discount Amount","Discount Amount" -"Stop Further Rules Processing","Parar Outras Regras de Processamento" -Conditions,Condições -"Rule Name","Rule Name" -Inactive,Inativo -"Customer Groups","Grupos do cliente" -"From Date","A Partir da Data" -"To Date","Até a Data Atual" -Priority,Prioridade -Promotions,Promoções -"Edit Rule","Editar regra" -"The rule has been saved.","A regra foi salva." -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.","A regra foi apagada." -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product","Atualizar o Produto" -"To Fixed Value","Para Valor Fixo" -"To Percentage","Para Percentagem" -"By Fixed value","Por Valor Fixo" -"By Percentage","Por Percentagem" -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method","Tipo de Frete" -"Payment Method","Método de Pagamento" -Created,"Criado Em" -Alphanumeric,Alfanumérico -"Apply To","Aplicar a" -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,Alfabético -Numeric,Numérico -Generate,Gerar -Auto,Auto -Coupon,Cupom -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code","Código do cupom" -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight","Peso Total" -"Discount (%1)","Discount (%1)" -"Store View Specific Labels","Vista das Marcas Específicas da Loja" -"Shopping Cart Price Rules","Regras de Preços de Carrinho de Compras" -"Update prices using the following information","Atualizar preços usando as seguintes informações" -"Percent of product price discount","Porcentagem do desconto sobre o preço do produto" -"Fixed amount discount","Valor de desconto fixo" -"Fixed amount discount for whole cart","Valor de desconto fixo para todo o carrinho" -"Buy X get Y free (discount amount is Y)","Compre X obtenha Y grátis (valor do desconto é Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount","Aplicar a Valor de Envio" -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes","Gerenciar Códigos de Cupom" -"Coupons Information","Informação dos cupons" -"Coupon Qty","Coupon Qty" -"Code Length","Tamanho do código" -"Excluding prefix, suffix and separators.","Excluindo sufixo, prefixo e separadores." -"Code Format","Formato do código" -"Code Prefix","Prefixo Código" -"Code Suffix","Sufixo Código" -"Dash Every X Characters","Trace Cada X Caracteres" -"If empty no separation.","Se vazio sem separação." -"Times Used","Vezes usadas" -"Are you sure you want to delete the selected coupon(s)?","Tem certeza que quer apagar o(s) cupom(s) escolhido(s)?" -Labels,Etiquetas -"Default Label","Etiqueta padrão" -"Default Rule Label for All Store Views","Etiqueta de regra padrão para todas as visualizações da loja" -"Use Auto Generation","Usar Auto Geração" -"If you select and save the rule you will be able to generate multiple coupon codes.","Se você selecionar e salvar a regra, será capaz de gerar múltiplos códigos de cupom." -"Uses per Coupon","Uso por cupom" -"Uses per Customer","Uso por cliente" -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed","Público No Feed RSS" -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined","A regra não está definida" -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code","Cupom com o mesmo código" -"No Coupon","Sem Cupom" -"Specific Coupon","Cupom Específico" -"Can't acquire coupon.","Não é possível adquirir cupons." -"Special Price","Preço Especial" -"Total Items Quantity","Quantidade total de itens" -"Shipping Postcode","Código Postal de Envio" -"Shipping Region","Região de Envio" -"Shipping State/Province","Estado/Província de Envio" -"Shipping Country","País de Envio" -"Product attribute combination","Combinação de atributos do produto" -"Products subselection","Sub-seleção de produtos" -"Conditions combination","Combinação de Condições" -"Cart Attribute","Atributo do Carrinho" -"Quantity in cart","Quantidade no carrinho" -"Price in cart","Preço no carrinho" -"Row total in cart","Total de linhas no carrinho" -"Cart Item Attribute","Cart Item Attribute" -FOUND,ENCONTRADO -"NOT FOUND","NÃO ENCONTRADO" -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity","quantidade total" -"total amount","quantia total" -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SalesRule/i18n/zh_Hans_CN.csv b/app/code/Magento/SalesRule/i18n/zh_Hans_CN.csv deleted file mode 100644 index 18f8dbfeaad37..0000000000000 --- a/app/code/Magento/SalesRule/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,148 +0,0 @@ -ID,ID -Apply,应用 -No,否 -Subtotal,小计额度 -Discount,折扣帐户 -Uses,用户数 -Delete,Delete -Yes,是 -"Web Site","Web Site" -Status,状态 -"Save and Continue Edit",保存并继续编辑 -Description,描述 -Catalog,分类 -Actions,操作 -Rule,规则名称 -"Start on",开始日 -"End on",过期日 -Active,活动 -"This rule no longer exists.",该规则已不存在。 -"General Information",常规信息 -Websites,网站 -"Add New Rule",添加新规则 -"Edit Rule '%1'","Edit Rule '%1'" -"New Rule",新规则 -"Rule Information",规则信息 -"Discount Amount","Discount Amount" -"Stop Further Rules Processing",停止进一步的规则处理 -Conditions,条件 -"Rule Name","Rule Name" -Inactive,未激活 -"Customer Groups",客户组 -"From Date",来自日期 -"To Date",截止日期 -Priority,优先级 -Promotions,促销 -"Edit Rule",修改规则 -"The rule has been saved.",规则已保存。 -"An error occurred while saving the rule data. Please review the log and try again.","An error occurred while saving the rule data. Please review the log and try again." -"The rule has been deleted.",规则已删除。 -"An error occurred while deleting the rule. Please review the log and try again.","An error occurred while deleting the rule. Please review the log and try again." -"Update the Product",更新产品 -"To Fixed Value",为固定值 -"To Percentage",为百分率 -"By Fixed value",由固定值 -"By Percentage",按百分比 -"Update product's %1 %2: %3","Update product's %1 %2: %3" -"Conditions Combination","Conditions Combination" -"Product Attribute","Product Attribute" -"Shipping Method",运送方式 -"Payment Method",支付方式 -Created,创建于 -Alphanumeric,字母表 -"Apply To",应用给 -"is one of","is one of" -"is not one of","is not one of" -"equals or greater than","equals or greater than" -"equals or less than","equals or less than" -"greater than","greater than" -"less than","less than" -Alphabetical,字母表 -Numeric,数字 -Generate,生成 -Auto,自动 -Coupon,折扣券 -"Shopping Cart Price Rule","Shopping Cart Price Rule" -"Coupon Code",折扣券代码 -is,is -"is not","is not" -CSV,CSV -"Excel XML","Excel XML" -"Total Weight",总重量 -"Discount (%1)","Discount (%1)" -"Store View Specific Labels",店铺视图指定的标签 -"Shopping Cart Price Rules",购物车价格规则 -"Update prices using the following information",使用下列信息更新价格 -"Percent of product price discount",产品价格折扣比例 -"Fixed amount discount",定额折扣 -"Fixed amount discount for whole cart",整个购物车的定额折扣 -"Buy X get Y free (discount amount is Y)","购买 X 即可免费获得 Y(折扣额是Y)" -"Maximum Qty Discount is Applied To","Maximum Qty Discount is Applied To" -"Discount Qty Step (Buy X)","Discount Qty Step (Buy X)" -"Apply to Shipping Amount",应用给运单额度 -"Apply the rule only to cart items matching the following conditions ' '(leave blank for all items).","Apply the rule only to cart items matching the following conditions ' '(leave blank for all items)." -"Apply the rule only if the following conditions are met (leave blank for all products).","Apply the rule only if the following conditions are met (leave blank for all products)." -"Manage Coupon Codes",管理折扣券代码 -"Coupons Information",折扣券信息 -"Coupon Qty","Coupon Qty" -"Code Length",代码长度 -"Excluding prefix, suffix and separators.",包含前缀、后缀,以及分隔符。 -"Code Format",代码格式 -"Code Prefix",代码前缀 -"Code Suffix",代码后缀 -"Dash Every X Characters",每x个字符加横线 -"If empty no separation.",如果为空则不分隔。 -"Times Used",使用时间 -"Are you sure you want to delete the selected coupon(s)?",你是否确定要删除所选折扣券? -Labels,标签 -"Default Label",默认标签 -"Default Rule Label for All Store Views",针对所有店铺视图的默认规则标签 -"Use Auto Generation",使用自动生成 -"If you select and save the rule you will be able to generate multiple coupon codes.",如果选择并保存该规则,你就可以生成多个折扣券代码。 -"Uses per Coupon",每代金券使用 -"Uses per Customer",每客户使用 -"Usage limit enforced for logged in customers only.","Usage limit enforced for logged in customers only." -"Public In RSS Feed",发布到RSS源中 -"Cart Price Rules","Cart Price Rules" -"New Cart Price Rule","New Cart Price Rule" -"The wrong rule is specified.","The wrong rule is specified." -"We can't find a rule to delete.","We can't find a rule to delete." -"Rule is not defined",规则未定义 -"Invalid data provided","Invalid data provided" -"%1 coupon(s) have been generated.","%1 coupon(s) have been generated." -"Something went wrong while generating coupons. Please review the log and try again.","Something went wrong while generating coupons. Please review the log and try again." -"We cannot create the requested Coupon Qty. Please check your settings and try again.","We cannot create the requested Coupon Qty. Please check your settings and try again." -"%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled.","%1 Shopping Cart Price Rules based on ""%2"" attribute have been disabled." -"Coupon with the same code",使用相同代码的折扣券 -"No Coupon",无代金券 -"Specific Coupon",指定代金券 -"Can't acquire coupon.",无法获取代金券。 -"Special Price",特殊价格 -"Total Items Quantity",总商品数量 -"Shipping Postcode",运送邮编 -"Shipping Region",运送地区 -"Shipping State/Province",运行州/省 -"Shipping Country",运送国家 -"Product attribute combination",产品属性组合 -"Products subselection",产品复选 -"Conditions combination",条件组合 -"Cart Attribute",购物车属性 -"Quantity in cart",购物车中数量 -"Price in cart",购物车价格 -"Row total in cart",购物车中行数 -"Cart Item Attribute","Cart Item Attribute" -FOUND,找到 -"NOT FOUND",未找到 -"If an item is %1 in the cart with %2 of these conditions true:","If an item is %1 in the cart with %2 of these conditions true:" -"total quantity",总量 -"total amount",总数 -"If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:","If %1 %2 %3 for a subselection of items in cart matching %4 of these conditions:" -"Item totals are not set for the rule.","Item totals are not set for the rule." -"Auto Generated Specific Coupon Codes","Auto Generated Specific Coupon Codes" -"Error occurred when saving coupon: %1","Error occurred when saving coupon: %1" -"Error occurred when generating coupons: %1","Error occurred when generating coupons: %1" -"Some coupons are invalid.","Some coupons are invalid." -"Specified rule does not allow automatic coupon generation","Specified rule does not allow automatic coupon generation" -"Specified rule does not allow coupons","Specified rule does not allow coupons" -"Specified rule only allows auto generated coupons","Specified rule only allows auto generated coupons" -"Specified rule does not allow auto generated coupons","Specified rule does not allow auto generated coupons" diff --git a/app/code/Magento/SendFriend/i18n/de_DE.csv b/app/code/Magento/SendFriend/i18n/de_DE.csv deleted file mode 100644 index 2606d7e09c8d0..0000000000000 --- a/app/code/Magento/SendFriend/i18n/de_DE.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,Zurück -Name,Name -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,Nachricht: -"Email to a Friend","E-Mail an einen Freund" -"Email Address",E-Mail-Adresse -"Email Templates","Email Templates" -Name:,Name: -"Email Address:",E-Mail-Adresse: -Sender:,Absender: -Email:,E-Mail: -Recipient:,Empfänger: -"Add Recipient","Empfänger hinzufügen" -"Send Email","E-Mail senden" -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.","Der Link wurde an den Freund gesendet." -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.","Einige E-Mail wurden nicht gesendet." -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.","Der Absender-Name kann nicht freigelassen werden." -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.","Das Nachrichten-Feld kann nicht freigelassen werden." -"At least one recipient must be specified.","Es muss mindestens ein Empfänger eingetragen werden." -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","Legen Sie bitte eine korrekte Cookie-Instanz fest." -"Please define a correct Product instance.","Legen Sie bitte eine korrekte Produkt-Instanz fest." -"Invalid Sender Information","Ungültiger Absender" -"Please define the correct Sender information.","Bitte legen Sie korrekte Senderinformationen fest." -"Remove Email","E-Mail löschen" -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/SendFriend/i18n/es_ES.csv b/app/code/Magento/SendFriend/i18n/es_ES.csv deleted file mode 100644 index 5da762e15936b..0000000000000 --- a/app/code/Magento/SendFriend/i18n/es_ES.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,Volver -Name,Nombre -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,Mensaje: -"Email to a Friend","Escribir un Email a un amigo" -"Email Address","Dirección de email" -"Email Templates","Email Templates" -Name:,Nombre: -"Email Address:","dirección de email:" -Sender:,Remitente: -Email:,Email: -Recipient:,Destinatario: -"Add Recipient","Añadir Destinatario" -"Send Email","Envíar Correo electrónico" -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.","El enlace fue envíado a un amigo." -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.","Algunos correos electrónicos no fueron enviados." -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.","El nombre del remitente no puede estar vacío." -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.","El mensaje no puede estar vacío." -"At least one recipient must be specified.","Al menos un destinatario debe ser especificado." -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","Por favor defina una correcta petición de cookie." -"Please define a correct Product instance.","Por favor defina una correcta petición de producto." -"Invalid Sender Information","Información del remitente inválida" -"Please define the correct Sender information.","Por favor defina la información correcta del remitente." -"Remove Email","Eliminar E-mail" -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/SendFriend/i18n/fr_FR.csv b/app/code/Magento/SendFriend/i18n/fr_FR.csv deleted file mode 100644 index 637c3e09ba006..0000000000000 --- a/app/code/Magento/SendFriend/i18n/fr_FR.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,Retour -Name,Nom -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,"Message :" -"Email to a Friend","Envoyer à un ami par email" -"Email Address","Adresse email" -"Email Templates","Email Templates" -Name:,"Nom :" -"Email Address:","Adresse email :" -Sender:,"Expéditeur :" -Email:,"Email :" -Recipient:,"Destinataire :" -"Add Recipient","Ajouter destinataire" -"Send Email","Envoyer l'email" -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.","Le lien a été envoyé à un ami." -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.","Certains emails n'ont pas été envoyés." -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.","Le nom de l'expéditeur ne peut pas être vide." -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.","Le message ne peut pas être vide." -"At least one recipient must be specified.","Au moins un destinataire doit être entré." -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","Veuillez définir un cookie correct." -"Please define a correct Product instance.","Veuillez définir un produit correct." -"Invalid Sender Information","Information de l'expéditeur invalide" -"Please define the correct Sender information.","Veuillez définir les informations correctes de l'expéditeur." -"Remove Email","Supprimer l'email" -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/SendFriend/i18n/nl_NL.csv b/app/code/Magento/SendFriend/i18n/nl_NL.csv deleted file mode 100644 index 59536fbbd8db6..0000000000000 --- a/app/code/Magento/SendFriend/i18n/nl_NL.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,Terug -Name,Naam -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,Bericht: -"Email to a Friend","E-mail Vriend" -"Email Address",e-mailadres -"Email Templates","Email Templates" -Name:,Naam: -"Email Address:",E-mailadres: -Sender:,Verzender: -Email:,E-mail -Recipient:,Ontvanger: -"Add Recipient","Voeg een Ontvanger toe" -"Send Email","Verstuur E-mail" -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.","Deze link was naar een vriend verstuurd." -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.","Sommige emails zijn niet verzonden." -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.","De verzender naam mag niet leeg zijn." -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.","Het bericht mag niet leeg zijn." -"At least one recipient must be specified.","U moet tenminste een ontvanger kiezen." -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","Gelieve een correcte Cookie voorbeeld te definiëren." -"Please define a correct Product instance.","Gelieve een correct Product voorbeeld te definiëren." -"Invalid Sender Information","Ongeldige Verzender Informatie" -"Please define the correct Sender information.","Gelieve een correct Verzender Informatie voorbeeld te definiëren." -"Remove Email","Verwijder E-mail" -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/SendFriend/i18n/pt_BR.csv b/app/code/Magento/SendFriend/i18n/pt_BR.csv deleted file mode 100644 index bf143a533bea3..0000000000000 --- a/app/code/Magento/SendFriend/i18n/pt_BR.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,Voltar -Name,Nome -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,Mensagem: -"Email to a Friend","Enviar por e-mail a um amigo" -"Email Address","Endereço de e-mail" -"Email Templates","Email Templates" -Name:,Nome: -"Email Address:","Endereço de e-mail:" -Sender:,Remetente: -Email:,E-mail: -Recipient:,Destinatário: -"Add Recipient","Adicione Destinatário" -"Send Email","Enviar email" -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.","O link para um amigo foi enviado." -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.","Alguns e-mails não foram enviados." -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.","O nome do remetente não pode estar em branco." -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.","A mensagem não pode estar vazia." -"At least one recipient must be specified.","Pelo menos um destinatário deve ser especificado." -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","Defina um elemento de Cookie correto." -"Please define a correct Product instance.","Defina um elemento de Produto correto." -"Invalid Sender Information","Informações inválidas de remetente" -"Please define the correct Sender information.","Defina as informações corretas do Remetente." -"Remove Email","Remover Email" -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/SendFriend/i18n/zh_Hans_CN.csv b/app/code/Magento/SendFriend/i18n/zh_Hans_CN.csv deleted file mode 100644 index 6ed28d89388bc..0000000000000 --- a/app/code/Magento/SendFriend/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,37 +0,0 @@ -Back,返回 -Name,姓名 -Enabled,Enabled -"* Required Fields","* Required Fields" -Message:,信息: -"Email to a Friend",给朋友发邮件 -"Email Address",编辑电子邮件地址 -"Email Templates","Email Templates" -Name:,姓名: -"Email Address:",电子邮件地址: -Sender:,发送人: -Email:,电子邮件: -Recipient:,收件人: -"Add Recipient",添加收件人 -"Send Email",发送邮件 -"You can't send messages more than %1 times an hour.","You can't send messages more than %1 times an hour." -"The link to a friend was sent.",链接已发送给朋友。 -"We found some problems with the data.","We found some problems with the data." -"Some emails were not sent.",某些邮件未发送 -"You've met your limit of %1 sends in an hour.","You've met your limit of %1 sends in an hour." -"The sender name cannot be empty.",发送人姓名不能为空。 -"Invalid Sender Email","Invalid Sender Email" -"The message cannot be empty.",消息不能为空。 -"At least one recipient must be specified.",必须至少指定一个收件人。 -"Please enter a correct recipient email address.","Please enter a correct recipient email address." -"No more than %1 emails can be sent at a time.","No more than %1 emails can be sent at a time." -"Please define a correct Cookie instance.","请定义正确的 Cookie 实例。" -"Please define a correct Product instance.",请定义正确的产品实例。 -"Invalid Sender Information",无效的发送者信息 -"Please define the correct Sender information.",请定义正确的发送者信息。 -"Remove Email",删除邮件 -"Maximum %1 email addresses allowed.","Maximum %1 email addresses allowed." -"Select Email Template","Select Email Template" -"Allow for Guests","Allow for Guests" -"Max Recipients","Max Recipients" -"Max Products Sent in 1 Hour","Max Products Sent in 1 Hour" -"Limit Sending By","Limit Sending By" diff --git a/app/code/Magento/Shipping/i18n/de_DE.csv b/app/code/Magento/Shipping/i18n/de_DE.csv deleted file mode 100644 index 326f627ae56cd..0000000000000 --- a/app/code/Magento/Shipping/i18n/de_DE.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,Titel -Type,Typ -Description,Beschreibung -"Select All","Select All" -OK,OK -Fixed,Fix -N/A,"Nicht verfügbar" -Percent,Prozent -"Close Window","Fenster Schließen" -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,Datum -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,Ort -"Shipping Methods","Shipping Methods" -"Per Order","Auf Bestellung" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,Status: -Print,Print -"Custom Value",Zollwert -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information",Routeninformation -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.","Dieser Lieferungsmodul ist nicht verfügbar." -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)","Auf gleiches Gewicht verteilen (eine Anfrage)" -"Use origin weight (few requests)","Ursprungsgewicht verwenden (wenige Anfragen)" -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package","Pro Paket" -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #","Lieferung #" -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:",Tracking-Nummer: -Carrier:,Transport: -Error:,Fehler: -"Tracking information is currently not available. Please ","Tracking-Information ist zur Zeit nicht verfügbar. Bitte" -"contact us","kontaktieren Sie uns" -" for more information or ","für mehr Information oder" -"email us at ","schreiben Sie uns eine E-Mail an" -Info:,Info: -Track:,Route: -"Delivered on:","Geliefert am:" -"Signed by:","Unterschrieben von:" -"Delivered to:","Geliefert an:" -"Shipped or billed on:","Geliefert und in Rechnung gestellt an:" -"Service Type:",Dienstleistungstyp: -Weight:,Gewicht: -"Local Time",Ortszeit -"There is no tracking available for this shipment.","Für diese Lieferung ist kein Tracking verfügbar." -"There is no tracking available.","Tracking ist nicht verfügbar." -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Shipping/i18n/es_ES.csv b/app/code/Magento/Shipping/i18n/es_ES.csv deleted file mode 100644 index 8e25a42536875..0000000000000 --- a/app/code/Magento/Shipping/i18n/es_ES.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,Título -Type,Tipo -Description,Descripción -"Select All","Select All" -OK,OK -Fixed,Fijo -N/A,N/A -Percent,Porcentaje -"Close Window","Cerrar Ventana" -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,Fecha -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,Localidad -"Shipping Methods","Shipping Methods" -"Per Order","Por Pedido" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,Situación: -Print,Print -"Custom Value","Valor Personalizado" -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information","Información de seguimiento" -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.","El módulo de envío no está disponible" -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)","Dividir al mismo peso (una petición)" -"Use origin weight (few requests)","Utilizar peso original (pocas peticiones)" -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package","Por Paquete" -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #","Envío #" -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:","Número de seguimiento:" -Carrier:,Transportista: -Error:,Error: -"Tracking information is currently not available. Please ","La información de seguimiento actualmente no está disponible. Por favor" -"contact us",contáctenos -" for more information or ","para más información o" -"email us at ","envíenos un email a:" -Info:,Información: -Track:,Seguir: -"Delivered on:","Enviado el día:" -"Signed by:","Firmado por:" -"Delivered to:","Enviado a:" -"Shipped or billed on:","Enviado o facturado el día:" -"Service Type:","Tipo de Servicio:" -Weight:,Peso: -"Local Time","Hora Local" -"There is no tracking available for this shipment.","No se dispone de seguimiento para este envío" -"There is no tracking available.","No hay seguimiento disponible" -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Shipping/i18n/fr_FR.csv b/app/code/Magento/Shipping/i18n/fr_FR.csv deleted file mode 100644 index c19b760aa60ef..0000000000000 --- a/app/code/Magento/Shipping/i18n/fr_FR.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,Titre -Type,Type -Description,Description -"Select All","Select All" -OK,OK -Fixed,Fixé -N/A,"non applicable" -Percent,"pour cent" -"Close Window","Fermer la fenêtre" -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,Date -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,Emplacement -"Shipping Methods","Shipping Methods" -"Per Order","Par commande" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,Statut -Print,Print -"Custom Value","Valeur en douane" -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information","Information de suivi" -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.","Le module d'envoi n'est pas disponible." -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)","Diviser pour un poids égal (une demande)" -"Use origin weight (few requests)","Utiliser le poids d'origine (quelques requêtes)" -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package","Par paquet" -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #","N° d'envoi" -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:","Numéro de suivi" -Carrier:,"Transporteur :" -Error:,"Erreur :" -"Tracking information is currently not available. Please ","Informations de suivi actuellement indisponibles" -"contact us","Nous contacter" -" for more information or ","pour plus d'informations ou" -"email us at ","Envoyer nous un email à" -Info:,"Info :" -Track:,Suivi: -"Delivered on:","Livré le :" -"Signed by:","Signé par:" -"Delivered to:","Livré à :" -"Shipped or billed on:","Envoyé ou facturé à:" -"Service Type:","Type de service" -Weight:,Poids -"Local Time","Heure locale" -"There is no tracking available for this shipment.","Il n'y pas de service de suivi pour cet envoi." -"There is no tracking available.","Il n'y a pas de service de suivi." -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Shipping/i18n/nl_NL.csv b/app/code/Magento/Shipping/i18n/nl_NL.csv deleted file mode 100644 index 07c848014a04d..0000000000000 --- a/app/code/Magento/Shipping/i18n/nl_NL.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,Titel -Type,Type -Description,Beschrijving -"Select All","Select All" -OK,OK -Fixed,Gemaakt -N/A,Nvt -Percent,Procent -"Close Window","Venster Sluiten" -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,Datum -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,Locatie -"Shipping Methods","Shipping Methods" -"Per Order","Per Bestelling" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,Status: -Print,Print -"Custom Value","Klant Waarde" -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information","Tracking Informatie" -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.","Deze verzendingsmodule is niet beschikbaar." -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)","Verdeel gewicht gelijkmatig (een verzoek)" -"Use origin weight (few requests)","Gebruik herkomstgewicht (enkele aanvragen)" -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package","Per Pakket" -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #","Versturing #" -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:","Tracking Nummer:" -Carrier:,Bode: -Error:,Four: -"Tracking information is currently not available. Please ","Tracking informatie is momenteel niet beschikbaar. Alstublieft" -"contact us","neem contact met ons op" -" for more information or ","Voor meer informatie of" -"email us at ","email ons op" -Info:,Info: -Track:,Track: -"Delivered on:","Geleverd op:" -"Signed by:","Ondertekend door:" -"Delivered to:","Geleverd aan:" -"Shipped or billed on:","Verstuurd of gefactureerd op:" -"Service Type:","Service Soort:" -Weight:,Gewicht: -"Local Time","Lokale Tijd" -"There is no tracking available for this shipment.","Er is geen tracking beschikbaar voor deze verzending." -"There is no tracking available.","Er is geen tracking beschikbaar." -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Shipping/i18n/pt_BR.csv b/app/code/Magento/Shipping/i18n/pt_BR.csv deleted file mode 100644 index d2142838d0fcb..0000000000000 --- a/app/code/Magento/Shipping/i18n/pt_BR.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,Título -Type,Tipo -Description,Descrição -"Select All","Select All" -OK,OK -Fixed,Fixado -N/A,Indisponível -Percent,Percentagem -"Close Window","Fechar Janela" -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,Data -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,Local -"Shipping Methods","Shipping Methods" -"Per Order","Por Ordem" -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,"Estado atual:" -Print,Print -"Custom Value","Valor Aduaneiro" -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information","Informações de Rastreamento" -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.","O módulo de entrega não está disponível." -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)","Dividir para peso igual (um pedido)" -"Use origin weight (few requests)","Usar peso de origem (poucos pedidos)" -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package","Por Embalagem" -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #","Remessa #" -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:","Número de Rastreamento:" -Carrier:,Transportadora: -Error:,Erro: -"Tracking information is currently not available. Please ","O rastreamento de informações não está disponível no momento. Por favor" -"contact us","entre em contato conosco" -" for more information or ","para mais informações ou" -"email us at ","envie um email para nós -" -Info:,Informação: -Track:,Rastrear: -"Delivered on:","Entregado dia:" -"Signed by:","Assinado por:" -"Delivered to:","Entregado a:" -"Shipped or billed on:","Enviado ou faturado em:" -"Service Type:","Tipo de Serviço:" -Weight:,Peso: -"Local Time","Hora Local" -"There is no tracking available for this shipment.","Não há disponibilidade de rastreamento para este método de entrega." -"There is no tracking available.","Não há disponibilidade de rastreamento." -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv b/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv deleted file mode 100644 index 366aa7594c48e..0000000000000 --- a/app/code/Magento/Shipping/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,160 +0,0 @@ -"Are you sure?","Are you sure?" -Cancel,Cancel -"Add Products","Add Products" -Product,Product -SKU,SKU -Qty,Qty -Action,Action -"Incl. Tax","Incl. Tax" -Add,Add -Delete,Delete -Title,标题 -Type,类型 -Description,描述 -"Select All","Select All" -OK,OK -Fixed,固定 -N/A,N/A -Percent,百分之 -"Close Window",关闭窗口 -"Product Name","Product Name" -Country,Country -"Payment Information","Payment Information" -"Shipping Information","Shipping Information" -City,City -"Street Address","Street Address" -Weight,Weight -Contents,Contents -Package,Package -Packages,Packages -Date,日期 -cm,cm -Height,Height -Width,Width -"No packages for request","No packages for request" -Region/State,Region/State -Location,位置 -"Shipping Methods","Shipping Methods" -"Per Order",每订单 -"All Allowed Countries","All Allowed Countries" -"Specific Countries","Specific Countries" -Status:,状态: -Print,Print -"Custom Value",自定义值 -"Print Shipping Label","Print Shipping Label" -"Show Packages","Show Packages" -"Products should be added to package(s)","Products should be added to package(s)" -"Please specify a carrier.","Please specify a carrier." -"Tracking Information",追踪信息 -"No detail for number ""%1""","No detail for number ""%1""" -"Customs Value","Customs Value" -"Qty Ordered","Qty Ordered" -"Create Shipping Label","Create Shipping Label" -"Add Package","Add Package" -"Create Packages","Create Packages" -Size,Size -Girth,Girth -"Total Weight","Total Weight" -Length,Length -"Signature Confirmation","Signature Confirmation" -in,in -lb,lb -kg,kg -"Delete Package","Delete Package" -Explanation,Explanation -"Add Selected Product(s) to Package","Add Selected Product(s) to Package" -"Please select products.","Please select products." -Carrier,Carrier -Number,Number -"Items in the Package","Items in the Package" -"Shipping and Tracking Information","Shipping and Tracking Information" -"Track this shipment","Track this shipment" -Ship,Ship -Shipments,Shipments -"Order # %1","Order # %1" -"Back to My Orders","Back to My Orders" -"View Another Order","View Another Order" -"The order no longer exists.","The order no longer exists." -"Cannot add new comment.","Cannot add new comment." -"Total Shipping Charges","Total Shipping Charges" -"Append Comments","Append Comments" -"The order was placed using %1.","The order was placed using %1." -"No shipping information available","No shipping information available" -"Items Shipped","Items Shipped" -"Qty Shipped","Qty Shipped" -"New Shipment for Order #%1","New Shipment for Order #%1" -"Submit Shipment","Submit Shipment" -"You are trying to add a quantity for some products that doesn't match the quantity that was shipped.","You are trying to add a quantity for some products that doesn't match the quantity that was shipped." -"The value that you entered is not valid.","The value that you entered is not valid." -"Add Tracking Number","Add Tracking Number" -"Send Tracking Information","Send Tracking Information" -"Are you sure you want to send a Shipment email to customer?","Are you sure you want to send a Shipment email to customer?" -"the shipment email was sent","the shipment email was sent" -"the shipment email is not sent","the shipment email is not sent" -"Shipment #%1 | %3 (%2)","Shipment #%1 | %3 (%2)" -"Create Shipping Label...","Create Shipping Label..." -"About Your Shipment","About Your Shipment" -"Cannot do shipment for the order separately from invoice.","Cannot do shipment for the order separately from invoice." -"Cannot do shipment for the order.","Cannot do shipment for the order." -"Please enter a tracking number.","Please enter a tracking number." -"New Shipment","New Shipment" -"The shipment has been created.","The shipment has been created." -"You created the shipping label.","You created the shipping label." -"An error occurred while creating shipping label.","An error occurred while creating shipping label." -"Cannot save shipment.","Cannot save shipment." -"You sent the shipment.","You sent the shipment." -"Cannot send shipment information.","Cannot send shipment information." -"Cannot initialize shipment for adding tracking number.","Cannot initialize shipment for adding tracking number." -"Cannot add tracking number.","Cannot add tracking number." -"Cannot initialize shipment for delete tracking number.","Cannot initialize shipment for delete tracking number." -"Cannot delete tracking number.","Cannot delete tracking number." -"Cannot load track with retrieving identifier.","Cannot load track with retrieving identifier." -"The comment text field cannot be empty.","The comment text field cannot be empty." -"We don't recognize or support the file extension in this shipment: %1.","We don't recognize or support the file extension in this shipment: %1." -"There are no shipping labels related to selected orders.","There are no shipping labels related to selected orders." -"There are no shipping labels related to selected shipments.","There are no shipping labels related to selected shipments." -"Sorry, but we can't deliver to the destination country with this shipping module.","Sorry, but we can't deliver to the destination country with this shipping module." -"The shipping module is not available.",运送模块不可用。 -"This shipping method is not available. Please specify the zip code.","This shipping method is not available. Please specify the zip code." -Development,Development -Live,Live -"Divide to equal weight (one request)",拆分为相等重量(申请一次) -"Use origin weight (few requests)",使用原始重量(较少请求) -"We don't have enough information to create shipping labels. Please make sure your store information and settings are complete.","We don't have enough information to create shipping labels. Please make sure your store information and settings are complete." -"Per Package",每个包裹 -"Tracking information is unavailable.","Tracking information is unavailable." -"Items to Ship","Items to Ship" -"Qty to Ship","Qty to Ship" -"Shipment Comments","Shipment Comments" -"Email Copy of Shipment","Email Copy of Shipment" -"Invalid value(s) for Qty to Ship","Invalid value(s) for Qty to Ship" -"USPS domestic shipments don't use package types.","USPS domestic shipments don't use package types." -"Shipping & Handling Information","Shipping & Handling Information" -"Track Order","Track Order" -"Shipment History","Shipment History" -"Print All Shipments","Print All Shipments" -"Shipment #",送货单号 -"Print Shipment","Print Shipment" -"Tracking Number(s):","Tracking Number(s):" -"Tracking Number:",追踪号码: -Carrier:,运营商: -Error:,错误: -"Tracking information is currently not available. Please ",追踪信息当前不可用。请 -"contact us",联系我们 -" for more information or ",欲知详情或 -"email us at ",发送电子邮件给我们: -Info:,信息: -Track:,追踪: -"Delivered on:",发布于: -"Signed by:",签名者: -"Delivered to:",发布至: -"Shipped or billed on:",发送或扣款于: -"Service Type:",服务类型: -Weight:,重量: -"Local Time",本地时间 -"There is no tracking available for this shipment.",此运送项目无可用的状态追踪。 -"There is no tracking available.",没有可用的追踪。 -"ZIP/Postal Code","ZIP/Postal Code" -"Street Address Line 2","Street Address Line 2" -"Shipping Settings","Shipping Settings" -Origin,Origin diff --git a/app/code/Magento/Sitemap/i18n/de_DE.csv b/app/code/Magento/Sitemap/i18n/de_DE.csv deleted file mode 100644 index 0cce6adaaf6f2..0000000000000 --- a/app/code/Magento/Sitemap/i18n/de_DE.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,ID -Action,Aktion -Enabled,Enabled -"Store View",Store-Ansicht -Catalog,Catalog -Always,Immer -Priority,Priority -Path,Pfad -Daily,Täglich -Weekly,Wöchentlich -Monthly,Monatlich -Never,Niemals -Generate,Generieren -Hourly,Stündlich -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap","Sitemap bearbeiten" -"New Sitemap","Neue Sitemap" -"Sitemap Information","Sitemap Information" -Sitemap,Sitemap -Filename,Dateiname -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap","Sitemap hinzufügen" -"Site Map","Site Map" -"This sitemap no longer exists.","Diese Sitemap existiert nicht mehr." -"New Site Map","New Site Map" -"The sitemap has been saved.","Die Sitemap wurde gespeichert." -"The sitemap has been deleted.","Die Sitemap wurde gelöscht." -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.","Die Priorität muss zwischen 0 und 1 liegen." -Yearly,Jährlich -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google","Link für Google" -"Last Generated","Zuletzt generiert" diff --git a/app/code/Magento/Sitemap/i18n/es_ES.csv b/app/code/Magento/Sitemap/i18n/es_ES.csv deleted file mode 100644 index 875bf3e74efc8..0000000000000 --- a/app/code/Magento/Sitemap/i18n/es_ES.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,Identificación -Action,Acción -Enabled,Enabled -"Store View","Ver Tienda" -Catalog,Catalog -Always,siempre -Priority,Priority -Path,Camino -Daily,Diario -Weekly,Semanalmente -Monthly,Mensualmente -Never,Nunca -Generate,Generar -Hourly,"Cada hora" -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap","Editar mapa del sitio web" -"New Sitemap","Nuevo mapa del sitio web" -"Sitemap Information","Sitemap Information" -Sitemap,"Mapa de sitio" -Filename,"Nombre del archivo" -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap","Añadir mapa del sito web" -"Site Map","Site Map" -"This sitemap no longer exists.","Este mapa del sitio web ya no existe" -"New Site Map","New Site Map" -"The sitemap has been saved.","El mapa del sitio web se ha guardado" -"The sitemap has been deleted.","El mapa del sitio web ha sido borrado" -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.","La prioridad debe de estar entre 0 y 1" -Yearly,Anualmente -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google","Enlace para Google" -"Last Generated","Última vez que se generó" diff --git a/app/code/Magento/Sitemap/i18n/fr_FR.csv b/app/code/Magento/Sitemap/i18n/fr_FR.csv deleted file mode 100644 index 398caf182fc99..0000000000000 --- a/app/code/Magento/Sitemap/i18n/fr_FR.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,ID -Action,Action -Enabled,Enabled -"Store View","Vue du magasin" -Catalog,Catalog -Always,Toujours -Priority,Priority -Path,Chemin -Daily,"Tous les jours" -Weekly,"Toutes les semaines" -Monthly,"Tous les mois" -Never,Jamais -Generate,Générer -Hourly,"Toutes les heures" -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap","Éditer la sitemap" -"New Sitemap","Nouvelle sitemap" -"Sitemap Information","Sitemap Information" -Sitemap,Sitemap -Filename,"Nom de fichier" -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap","Ajouter une sitemap" -"Site Map","Site Map" -"This sitemap no longer exists.","La sitemap n'existe plus." -"New Site Map","New Site Map" -"The sitemap has been saved.","La sitemap a été sauvegardée." -"The sitemap has been deleted.","La sitemap a été supprimée." -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.","La priorité est comprise entre 0 et 1" -Yearly,"Tous les ans" -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google","Lien pour Google" -"Last Generated","Généré pour la dernière fois" diff --git a/app/code/Magento/Sitemap/i18n/nl_NL.csv b/app/code/Magento/Sitemap/i18n/nl_NL.csv deleted file mode 100644 index dc33625dd7d05..0000000000000 --- a/app/code/Magento/Sitemap/i18n/nl_NL.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,ID -Action,Actie -Enabled,Enabled -"Store View","Aanblik winkel" -Catalog,Catalog -Always,Altijd -Priority,Priority -Path,Pad -Daily,Dagelijks -Weekly,Wekelijks -Monthly,Maandelijks -Never,Nooit -Generate,Aanmaken -Hourly,"Elk uur" -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap","Sitekaart bewerken" -"New Sitemap","Nieuwe Sitemap" -"Sitemap Information","Sitemap Information" -Sitemap,Sitemap -Filename,Bestandsnaam -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap","Sitekaart toevoegen" -"Site Map","Site Map" -"This sitemap no longer exists.","De sitemap bestaat niet langer." -"New Site Map","New Site Map" -"The sitemap has been saved.","De sitemap is opgeslagen." -"The sitemap has been deleted.","De sitemap is verwijderd." -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.","De prioriteit moet tussen 0 en 1 zijn." -Yearly,Jaarlijks -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google","Link voor Google" -"Last Generated","Laatste maal aangemaakt" diff --git a/app/code/Magento/Sitemap/i18n/pt_BR.csv b/app/code/Magento/Sitemap/i18n/pt_BR.csv deleted file mode 100644 index 1c56a4976f732..0000000000000 --- a/app/code/Magento/Sitemap/i18n/pt_BR.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,Identidade -Action,Ação -Enabled,Enabled -"Store View","Visualização da loja" -Catalog,Catalog -Always,Sempre -Priority,Priority -Path,Caminho -Daily,Diário -Weekly,Semanalmente -Monthly,Mensal -Never,Nunca -Generate,Gerar -Hourly,Horário -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap","Editar Mapa do Site" -"New Sitemap","Novo Sitemap" -"Sitemap Information","Sitemap Information" -Sitemap,"Mapa do Site" -Filename,"Nome do arquivo" -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap","Adicionar Mapa do Site" -"Site Map","Site Map" -"This sitemap no longer exists.","Este mapa do site não existe mais." -"New Site Map","New Site Map" -"The sitemap has been saved.","O mapa do site foi salvo." -"The sitemap has been deleted.","O mapa do site foi apagado." -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.","A prioridade deve ser entre 0 e 1." -Yearly,Anualmente -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google","Link para o Google" -"Last Generated","Último Momento Gerado" diff --git a/app/code/Magento/Sitemap/i18n/zh_Hans_CN.csv b/app/code/Magento/Sitemap/i18n/zh_Hans_CN.csv deleted file mode 100644 index e67ef50964380..0000000000000 --- a/app/code/Magento/Sitemap/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,62 +0,0 @@ -All,All -None,None -ID,ID -Action,操作 -Enabled,Enabled -"Store View",店铺视图 -Catalog,Catalog -Always,总是 -Priority,Priority -Path,路径 -Daily,每天 -Weekly,每周 -Monthly,每月 -Never,永不 -Generate,生成 -Hourly,每小时 -"Start Time","Start Time" -Frequency,Frequency -"Save & Generate","Save & Generate" -"Edit Sitemap",编辑站点结构图 -"New Sitemap",新站点结构图 -"Sitemap Information","Sitemap Information" -Sitemap,站点结构图 -Filename,文件名 -"example: sitemap.xml","example: sitemap.xml" -"example: ""sitemap/"" or ""/"" for base path (path must be writeable)","example: ""sitemap/"" or ""/"" for base path (path must be writeable)" -"XML Sitemap","XML Sitemap" -"Add Sitemap",添加站点结构图 -"Site Map","Site Map" -"This sitemap no longer exists.",站点结构图不存在。 -"New Site Map","New Site Map" -"The sitemap has been saved.",站点结构图已保存。 -"The sitemap has been deleted.",站点结构图已被删除。 -"We can't find a sitemap to delete.","We can't find a sitemap to delete." -"The sitemap ""%1"" has been generated.","The sitemap ""%1"" has been generated." -"Something went wrong generating the sitemap.","Something went wrong generating the sitemap." -"We can't find a sitemap to generate.","We can't find a sitemap to generate." -"The priority must be between 0 and 1.",优先级必须介于0和1之间。 -Yearly,每年 -"File handler unreachable","File handler unreachable" -"Please define a correct path.","Please define a correct path." -"Please create the specified folder ""%1"" before saving the sitemap.","Please create the specified folder ""%1"" before saving the sitemap." -"Please make sure that ""%1"" is writable by the web-server.","Please make sure that ""%1"" is writable by the web-server." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z), numbers (0-9) or underscores (_) in the filename. No spaces or other characters are allowed." -"Base Only","Base Only" -"Error Email Recipient","Error Email Recipient" -"Error Email Sender","Error Email Sender" -"Error Email Template","Error Email Template" -"Categories Options","Categories Options" -"Valid values range from 0.0 to 1.0.","Valid values range from 0.0 to 1.0." -"Products Options","Products Options" -"Add Images into Sitemap","Add Images into Sitemap" -"CMS Pages Options","CMS Pages Options" -"Generation Settings","Generation Settings" -"Sitemap File Limits","Sitemap File Limits" -"Maximum No of URLs Per File","Maximum No of URLs Per File" -"Maximum File Size","Maximum File Size" -"File size in bytes.","File size in bytes." -"Search Engine Submission Settings","Search Engine Submission Settings" -"Enable Submission to Robots.txt","Enable Submission to Robots.txt" -"Link for Google",Google的链接 -"Last Generated",上一次生成时间 diff --git a/app/code/Magento/Store/i18n/de_DE.csv b/app/code/Magento/Store/i18n/de_DE.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/de_DE.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Store/i18n/es_ES.csv b/app/code/Magento/Store/i18n/es_ES.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/es_ES.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Store/i18n/fr_FR.csv b/app/code/Magento/Store/i18n/fr_FR.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/fr_FR.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Store/i18n/nl_NL.csv b/app/code/Magento/Store/i18n/nl_NL.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/nl_NL.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Store/i18n/pt_BR.csv b/app/code/Magento/Store/i18n/pt_BR.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/pt_BR.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Store/i18n/zh_Hans_CN.csv b/app/code/Magento/Store/i18n/zh_Hans_CN.csv deleted file mode 100644 index 5cbbe3e5697db..0000000000000 --- a/app/code/Magento/Store/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,26 +0,0 @@ -"All Store Views","All Store Views" -"-- Please Select --","-- Please Select --" -Admin,Admin -"Store with the same code","Store with the same code" -"Website with the same code","Website with the same code" -"Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter","Website code may only contain letters (a-z), numbers (0-9) or underscore(_), the first character must be a letter" -"Name is required","Name is required" -"The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter","The store code may contain only letters (a-z), numbers (0-9) or underscore(_),' ' the first character must be a letter" -"Your Language:","Your Language:" -"Your Language","Your Language" -Language,Language -"Select Store","Select Store" -"Helper arguments should not be used in custom layout updates.","Helper arguments should not be used in custom layout updates." -"Updater model should not be used in custom layout updates.","Updater model should not be used in custom layout updates." -"Please correct the XML data and try again. %value%","Please correct the XML data and try again. %value%" -Layouts,Layouts -"Layout building instructions.","Layout building instructions." -"Blocks HTML output","Blocks HTML output" -"Page blocks HTML.","Page blocks HTML." -"Paths to view files (e.g., PHTML templates, images, CSS, JS files).","Paths to view files (e.g., PHTML templates, images, CSS, JS files)." -"Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files).","Paths to pre-processed view files (e.g, CSS files with fixed paths or generated from LESS files)." -"Collections Data","Collections Data" -"Collection data files.","Collection data files." -"All Stores","All Stores" -"Other Settings","Other Settings" -Attribute,Attribute diff --git a/app/code/Magento/Tax/i18n/de_DE.csv b/app/code/Magento/Tax/i18n/de_DE.csv deleted file mode 100644 index 4fc035fa2f4a3..0000000000000 --- a/app/code/Magento/Tax/i18n/de_DE.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,Keine -Cancel,Cancel -Back,Zurück -Subtotal,Subtotal -"Excl. Tax","Steuer weglassen" -Total,Gesamtbetrag -"Incl. Tax","Steuer inkludieren" -Reset,Zurücksetzen -"Unit Price",Einheitspreis -Tax,Steuer -Save,Save -Name,Name -Code,Code -"Sort Order",Sortierreihenfolge -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -"Are you sure you want to do this?","Sind Sie sicher, dass sie das tun wollen?" -"New Rule","Neue Regel" -Priority,Priorität -"Edit Rule","Regel ändern" -Country,Land -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,Verkäufe -CSV,CSV -"Excel XML",Excel-XML -Rate,Steuersatz -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax","Gesamtsumme zzgl. Steuern" -"Grand Total Incl. Tax","Gesamtsumme inkl. Steuern" -"Subtotal (Excl. Tax)","Zwischensumme (exkl. MwSt.)" -"Subtotal (Incl. Tax)","Zwischensumme (inkl. MwSt.)" -"Row Total",Zeilensumme -"Tax Rate Information",Steuersatzinformation -"Tax Identifier",Steuerbezeichner -"Zip/Post is Range","Postleitzahl ist im Bereich" -"Zip/Post Code",Postleitzahl -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From","Im Bereich von" -"Range To","Im Bereich bis" -State,Staat -"Rate Percent","Steuersatz Prozent" -"Tax Titles",Steuertitel -"Add New Tax Rate","Neuen Steuersatz hinzufügen" -"Delete Rate","Steuersatz löschen" -"Save Rate","Steuersatz speichern" -"Manage Tax Rules","Steuerregeln verwalten" -"Add New Tax Rule","Neue Steuerregel hinzufügen" -"Save Rule","Regel speichern" -"Delete Rule","Regel löschen" -"Tax Rule Information",Steuerregelinformation -"Customer Tax Class",Kundensteuerklasse -"Product Tax Class",Produktsteuerklasse -"Tax Rate",Steuersatz -"Tax rates at the same priority are added, others are compounded.","Steuersätze mit gleicher Priorität sind hinzugefügt, andere sind zusammengesetzt." -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)","Zwischensumme (exkl. MwSt.)" -"Subtotal (Incl.Tax)","Zwischensumme (inkl. MwSt.)" -"Shipping & Handling (Excl.Tax)","Versandkosten (exkl. MwSt.)" -"Shipping & Handling (Incl.Tax)","Versandkosten (inkl. MwSt)" -"Grand Total (Excl.Tax)","Gesamtsumme (zzgl. Steuern)" -"Grand Total (Incl.Tax)","Gesamtsumme (inkl. Steuern)" -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates","Steuersätze verwalten" -"New Tax Rate","Neuer Steuersatz" -"The tax rate has been saved.","Der Steuersatz wurde gespeichert." -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate","Steuersatz bearbeiten" -"The tax rate has been deleted.","Der Steuersatz wurde gelöscht." -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.","Der Steuersatz wurde importiert." -"Invalid file upload attempt","Ungültige Datei hochgeladen" -"Tax Rules",Steuerregeln -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.","Die Steuerregel wurde gespeichert." -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.","Diese Regel existiert nicht mehr." -"The tax rule has been deleted.","Die Steuerregel wurde gelöscht." -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available","Benutzerdefinierter Preis falls verfügbar" -"Original price only","Nur Originalpreis" -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)","Gesamtsumme (zzgl. Steuern)" -"Grand Total (Incl. Tax)","Gesamtsumme (inkl. Steuern)" -"Shipping (Excl. Tax)","Versand (excl. MwSt.)" -"Shipping (Incl. Tax)","Versand (inkl. MwSt.)" -"Before Discount","Vor Rabatt" -"After Discount","Nach Rabatt" -"Excluding Tax","Zuzüglich Steuern" -"Including Tax","Inklusive Steuern" -"Including and Excluding Tax","Inklusive und zuzüglich Steuern" -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates","Steuersätze importieren" -"Export Tax Rates","Steuersätze exportieren" -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class","Neue Klasse hinzufügen" -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,Bundesstaat/Region -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Tax/i18n/es_ES.csv b/app/code/Magento/Tax/i18n/es_ES.csv deleted file mode 100644 index b97d5fe9cb3ee..0000000000000 --- a/app/code/Magento/Tax/i18n/es_ES.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,Nada -Cancel,Cancel -Back,Volver -Subtotal,Subtotal -"Excl. Tax","Impuestos no incluidos" -Total,Total -"Incl. Tax","Impuestos incluidos" -Reset,Restablecer -"Unit Price","Precio por unidad" -Tax,Impuestos -Save,Save -Name,Nombre -Code,Código -"Sort Order","Ordenar Pedido" -"Save and Continue Edit","Guardar y continuar editando" -"Are you sure you want to do this?","¿Estás seguro de querer hacer esto?" -"New Rule","Nueva Regla" -Priority,Prioridad -"Edit Rule","Editar Regla" -Country,País -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,Ventas -CSV,CSV -"Excel XML","Excel XML" -Rate,Tarifa -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax","Total sin Incluir Impuestos" -"Grand Total Incl. Tax","Total Incluyendo Impuestos" -"Subtotal (Excl. Tax)","Subtotal (Excl. Impuestos)" -"Subtotal (Incl. Tax)","Subtotal (Incl. Impuestos)" -"Row Total","Fila Total" -"Tax Rate Information","Información sobre Tarifas de Impuestos" -"Tax Identifier","Identificador Tributario" -"Zip/Post is Range","Código Postal es Rango" -"Zip/Post Code","CP/Código Postal" -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From","Intervalo Desde" -"Range To","Intervalo Hasta" -State,Estado -"Rate Percent","Tasa de Porcentaje" -"Tax Titles","Títulos Tributarias" -"Add New Tax Rate","Añadir Nueva Tasa Impositiva" -"Delete Rate","Eliminar índice" -"Save Rate","Guardar Tarifa" -"Manage Tax Rules","Gestión de las normas fiscales" -"Add New Tax Rule","Añadir Nueva Norma Impositiva" -"Save Rule","Guardar Regla" -"Delete Rule","Eliminar Regla" -"Tax Rule Information","Información sobre Reglas Tributarias" -"Customer Tax Class","Clase impositiva del cliente" -"Product Tax Class","Clase de impuesto del producto" -"Tax Rate","Tarifa de Impuestos" -"Tax rates at the same priority are added, others are compounded.","Las tarifas tributarias con la misma prioridad son añadidas, las demás son compuestas." -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)","Subtotal (Excl. Impuestos)" -"Subtotal (Incl.Tax)","Subtotal (Incl. Impuestos)" -"Shipping & Handling (Excl.Tax)","Envío y Servicio (Impuestos no Incluídos)" -"Shipping & Handling (Incl.Tax)","Envío y Servicio (Impuestos Incluídos)" -"Grand Total (Excl.Tax)","Total (Impuestos no Incluídos)" -"Grand Total (Incl.Tax)","Total (Impuestos Incluídos)" -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates","Gestión de las Tasas de Impuestos" -"New Tax Rate","Nueva Tarifa de Impuesto" -"The tax rate has been saved.","Esta tarifa tributaria se ha guardado." -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate","Editar indicador de impuesto" -"The tax rate has been deleted.","Esta tarifa tributaria ha sido eliminada." -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.","Esta tarifa tributaria ha sido importada." -"Invalid file upload attempt","Intento de subida de un archivo no válido" -"Tax Rules","Reglas de Impuestos" -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.","Esta regla tributaria ha sido guardada." -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.","Esta regla ya no existe." -"The tax rule has been deleted.","Esta regla tributaria ha sido eliminada." -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available","Impoorte de aranceles si es aplicable" -"Original price only","Sólo precio original" -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)","Total (Impuestos no Incluídos)" -"Grand Total (Incl. Tax)","Total (Impuestos Incluídos)" -"Shipping (Excl. Tax)","Envío (Impuestos no Incluídos)" -"Shipping (Incl. Tax)","Envío (Impuestos Incluídos)" -"Before Discount","Antes de Descuento" -"After Discount","Después de Descuento" -"Excluding Tax","Impuestos no Incluídos" -"Including Tax","Impuestos Incluídos" -"Including and Excluding Tax","Inclusión y Exclusión de Impuestos" -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates","Tasas de Impuestos de Importación" -"Export Tax Rates","Tasas de Impuestos a la Exportación" -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class","Anadir Nueva Categoría" -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,Estado/Región -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Tax/i18n/fr_FR.csv b/app/code/Magento/Tax/i18n/fr_FR.csv deleted file mode 100644 index 2687af941e9b2..0000000000000 --- a/app/code/Magento/Tax/i18n/fr_FR.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,aucun -Cancel,Cancel -Back,Retour -Subtotal,Subtotal -"Excl. Tax","Taxe non comprise" -Total,Total -"Incl. Tax","Taxe comprise" -Reset,Réinitialiser -"Unit Price","Prix unitaire" -Tax,Taxe -Save,Save -Name,Nom -Code,Code -"Sort Order","Trier les widgets" -"Save and Continue Edit","Sauvegarder et continuer l'édition" -"Are you sure you want to do this?","Êtes-vous sûrs de vouloir faire celà?" -"New Rule","Nouvelle règle" -Priority,Priorité -"Edit Rule","Éditer la règle" -Country,Pays -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,Ventes -CSV,"CSV (valeurs séparées par des virgules)" -"Excel XML","Excel XML" -Rate,Taux -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax","Total général H.T." -"Grand Total Incl. Tax","Total général T.T.C." -"Subtotal (Excl. Tax)","Sous-total (HT)" -"Subtotal (Incl. Tax)","Sous-total (TTC)" -"Row Total","Total de la Ligne" -"Tax Rate Information","Information sur le taux d'imposition" -"Tax Identifier","Tax Identifier" -"Zip/Post is Range","Le code postal est étendu" -"Zip/Post Code","Code postal" -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From","Trier à partir de" -"Range To","Trier jusqu'à" -State,État -"Rate Percent","Taux Pourcentage" -"Tax Titles","Titre des taxes" -"Add New Tax Rate","Ajouter un nouveau taux de change" -"Delete Rate","Supprimer le taux" -"Save Rate","Enregistrer le Taux" -"Manage Tax Rules","Gérer les règles d'imposition" -"Add New Tax Rule","Ajouter une nouvelle règle de taxe" -"Save Rule","Enregistrer la règle" -"Delete Rule","Supprimer la règle" -"Tax Rule Information","Information sur les règles des taxes" -"Customer Tax Class","Classe de tax client" -"Product Tax Class","Classe de taxe de produit" -"Tax Rate","Taux d'imposition" -"Tax rates at the same priority are added, others are compounded.","Les taux d'imposition de la même priorité sont ajoutés, les autres sont combinés." -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)","Sous-total (HT)" -"Subtotal (Incl.Tax)","Sous-total (TTC)" -"Shipping & Handling (Excl.Tax)","Expédition et traitement (HT)" -"Shipping & Handling (Incl.Tax)","Expédition et traitement (TTC)" -"Grand Total (Excl.Tax)","Total général (H.T.)" -"Grand Total (Incl.Tax)","Total général (T.T.C.)" -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates","Gérer les taux d'imposition" -"New Tax Rate","Nouveau taux d'imposition" -"The tax rate has been saved.","Le taux d'imposition a été sauvegardé." -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate","Éditer le taux de la taxe" -"The tax rate has been deleted.","Le taux d'imposition a été supprimé." -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.","Le taux d'imposition a été importé." -"Invalid file upload attempt","Tentative de téléchargement de fichier invalide" -"Tax Rules","Règles des taxes" -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.","La règle de taxe a été enregistrée." -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.","Cette règle n'existe plus." -"The tax rule has been deleted.","La règle de taxe a été supprimée." -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available","Prix client si disponible" -"Original price only","Prix d'origine seulement" -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)","Total général (H.T.)" -"Grand Total (Incl. Tax)","Total général (T.T.C.)" -"Shipping (Excl. Tax)","Expédition (HT)" -"Shipping (Incl. Tax)","Expédition (TTC)" -"Before Discount","Avant réduction" -"After Discount","Après réduction" -"Excluding Tax","Hors Taxes" -"Including Tax","Toutes Taxes Comprises" -"Including and Excluding Tax","Toutes Taxes Comprises et Hors Taxes" -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates","Taux de taxe d'importation" -"Export Tax Rates","Taux de taxe d'exportation" -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class","Ajouter une nouvelle classe" -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,État/Région -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Tax/i18n/nl_NL.csv b/app/code/Magento/Tax/i18n/nl_NL.csv deleted file mode 100644 index 212f01a0c4761..0000000000000 --- a/app/code/Magento/Tax/i18n/nl_NL.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,Geen -Cancel,Cancel -Back,Terug -Subtotal,Subtotal -"Excl. Tax","Excl. BTW" -Total,Totaal -"Incl. Tax","Incl. BTW" -Reset,Opnieuw -"Unit Price",Eenheidsprijs -Tax,Belasting -Save,Save -Name,Naam -Code,Code -"Sort Order","Sorteer Bestelling" -"Save and Continue Edit","Opslaan en doorgaan met bewerken" -"Are you sure you want to do this?","Weet je zeker dat je dit wilt doen?" -"New Rule","Nieuwe Regel" -Priority,Prioriteit -"Edit Rule","Pas Regel aan" -Country,Land -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,Verkoop -CSV,CSV -"Excel XML","Excel XML" -Rate,Tarief -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax","Algemeen Totaal Excl. Belasting" -"Grand Total Incl. Tax","Algemeen Totaal Incl. Belasting" -"Subtotal (Excl. Tax)","Subtotaal (exclusief belasting)" -"Subtotal (Incl. Tax)","Subtotaal (inclusief belasting)" -"Row Total","Rij Totaal" -"Tax Rate Information","Belastingniveau Informatie" -"Tax Identifier",Belastingidentificeerder -"Zip/Post is Range","Post is Verscheiden" -"Zip/Post Code",Postcode -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From",Vanaf -"Range To",Tot -State,Provincie -"Rate Percent","Tarief Percentage" -"Tax Titles",Belastingtitels -"Add New Tax Rate","Voeg Nieuwe BTW Waarde toe" -"Delete Rate","Verwijder Tarief" -"Save Rate","Sla Tarief Op" -"Manage Tax Rules","Manage Belasting Regels" -"Add New Tax Rule","Voeg Nieuwe BTW Regel toe" -"Save Rule","Sla Regel Op" -"Delete Rule","Verwijder Regel" -"Tax Rule Information","Belastingregel Informatie" -"Customer Tax Class","Klant BTW Klasse" -"Product Tax Class","Product BTW Klasse" -"Tax Rate",Belastingniveau -"Tax rates at the same priority are added, others are compounded.","Belastingniveau van dezelfde prioriteit zijn toegevoegd, anderen zijn verbonden." -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)","Subtotaal (Excl.Belasting)" -"Subtotal (Incl.Tax)","Subtotaal (Incl.Belasting)" -"Shipping & Handling (Excl.Tax)","Verzending & Behandeling (Excl. Belasting)" -"Shipping & Handling (Incl.Tax)","Verzending & Behandeling (Incl. Belasting)" -"Grand Total (Excl.Tax)","Algemeen Totaal (Excl. Belasting)" -"Grand Total (Incl.Tax)","Algemeen Totaal (Incl. Belasting)" -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates","Manage Belasting Tarieven" -"New Tax Rate","Nieuw Belastingtarief" -"The tax rate has been saved.","Het belastingniveau is opgeslagen." -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate","Pas Belastingtarief aan" -"The tax rate has been deleted.","Het belastingniveau is verwijderd." -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.","Het belastingniveau is geïmporteerd." -"Invalid file upload attempt","Ongeldig bestand upload poging" -"Tax Rules",Belastingregels -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.","De belastingregel is opgeslagen." -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.","Deze regel bestaat niet meer." -"The tax rule has been deleted.","De belastingregel is verwijderd." -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available","Aangepaste prijs indien beschikbaar" -"Original price only","Alleen de oorspronkelijke prijs" -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)","Totaal (Ex. Belasting)" -"Grand Total (Incl. Tax)","Totaal (Incl. Belasting)" -"Shipping (Excl. Tax)","Verzending (Excl. Belasting)" -"Shipping (Incl. Tax)","Verzending (Incl. Belasting)" -"Before Discount","Voor Korting" -"After Discount","Na Korting" -"Excluding Tax","Exclusief Belasting" -"Including Tax","Inclusief Belasting" -"Including and Excluding Tax","Inclusief en Exclusief Belasting" -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates","Import Belasting Tarieven" -"Export Tax Rates","Export Belasting Tarieven" -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class","Voeg Nieuwe Klasse toe" -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,Provincie -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Tax/i18n/pt_BR.csv b/app/code/Magento/Tax/i18n/pt_BR.csv deleted file mode 100644 index d22d24f7218e3..0000000000000 --- a/app/code/Magento/Tax/i18n/pt_BR.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,Nenhum -Cancel,Cancel -Back,Voltar -Subtotal,Subtotal -"Excl. Tax","Excluir taxas" -Total,Total -"Incl. Tax","Incluir taxas" -Reset,Redefinir -"Unit Price","Preço Unitário" -Tax,Taxas -Save,Save -Name,Nome -Code,Código -"Sort Order","Classificar pedido" -"Save and Continue Edit","Salvar e continuar a editar" -"Are you sure you want to do this?","Tem certeza de que quer fazer isso?" -"New Rule","Nova Regra" -Priority,Prioridade -"Edit Rule","Editar regra" -Country,País -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,Vendas -CSV,CSV -"Excel XML","Excel XML" -Rate,Taxa -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax","Total ExcluindoTaxa" -"Grand Total Incl. Tax","Total Incluindo Taxa" -"Subtotal (Excl. Tax)","Subtotal (Excl. Taxa)" -"Subtotal (Incl. Tax)","Subtotal (Inc. Taxa)" -"Row Total","Total de Linha" -"Tax Rate Information","Informação de Taxa de Imposto" -"Tax Identifier","Identificador de Taxa" -"Zip/Post is Range","Faixa de Zip/Postal" -"Zip/Post Code","Zip/Código Postal" -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From","Faixa de" -"Range To","Faixa Para" -State,Estado -"Rate Percent","Taxa Percentual" -"Tax Titles","Títulos de Impostos" -"Add New Tax Rate","Adicionar Nova Taxa de Imposto" -"Delete Rate","Apagar Preço" -"Save Rate","Salvar Preço" -"Manage Tax Rules","Gerenciar Regras de Imposto" -"Add New Tax Rule","Adicionar Nova Taxa de Imposto" -"Save Rule","Salvar Regra" -"Delete Rule","Apagar Regra" -"Tax Rule Information","Informações de regras fiscais" -"Customer Tax Class","Classe Fiscal do Cliente" -"Product Tax Class","Classe de Imposto sobre Produtos" -"Tax Rate","Taxa de Imposto" -"Tax rates at the same priority are added, others are compounded.","Taxas de imposto com a mesma prioridade são adicionadas, outras são compostas." -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)","Subtotal (Excl. Taxa)" -"Subtotal (Incl.Tax)","Subtotal (Inc. Taxa)" -"Shipping & Handling (Excl.Tax)","Transporte & Manuseio (Excl.Taxa)" -"Shipping & Handling (Incl.Tax)","Transporte % Manuseio (Inc.Taxa)" -"Grand Total (Excl.Tax)","Total (Exluindo Taxa)" -"Grand Total (Incl.Tax)","Total (IncluindoTaxa)" -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates","Gerenciar Taxa de Impostos" -"New Tax Rate","Nova Taxa de Imposto" -"The tax rate has been saved.","A taxa de imposto foi salva." -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate","Editar Taxa de Imposto" -"The tax rate has been deleted.","A taxa de imposto foi eliminada." -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.","A taxa de imposto foi importada." -"Invalid file upload attempt","Tentativa de carregamento de arquivo inválido" -"Tax Rules","Regras de Impostos" -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.","A regra fiscal foi salva." -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.","A regra não existe mais." -"The tax rule has been deleted.","A regra fiscal foi eliminada." -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available","Se disponível, preço aduaneiro" -"Original price only","Apenas Preço Original" -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)","Total (Exluindo Taxa)" -"Grand Total (Incl. Tax)","Total (IncluindoTaxa)" -"Shipping (Excl. Tax)","Remessa (Exc. Taxa)" -"Shipping (Incl. Tax)","Remessa (Inc. Taxa)" -"Before Discount","Antes do Desconto" -"After Discount","Depois de Desconto" -"Excluding Tax","Excluindo Taxa" -"Including Tax","Incluindo Taxa" -"Including and Excluding Tax","Incluindo e Excluindo Taxa" -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates","Taxa de Imposto de Importação" -"Export Tax Rates","Taxa de Imposto de Exportação" -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class","Adicionar Nova Classe" -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,Estado/Região -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Tax/i18n/zh_Hans_CN.csv b/app/code/Magento/Tax/i18n/zh_Hans_CN.csv deleted file mode 100644 index 2a4d9e43e27e0..0000000000000 --- a/app/code/Magento/Tax/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,161 +0,0 @@ -None,无 -Cancel,Cancel -Back,返回 -Subtotal,Subtotal -"Excl. Tax",不含税 -Total,总数 -"Incl. Tax",含税 -Reset,重置状态 -"Unit Price",单价 -Tax,传真 -Save,Save -Name,姓名 -Code,代码 -"Sort Order",排序顺序 -"Save and Continue Edit",保存并继续编辑 -"Are you sure you want to do this?",您是否确认要这样做? -"New Rule",新规则 -Priority,优先级 -"Edit Rule",修改规则 -Country,国家 -"Billing Address","Billing Address" -"Shipping Address","Shipping Address" -Sales,销售 -CSV,CSV -"Excel XML","Excel XML" -Rate,费率 -"Shipping Incl. Tax (%1)","Shipping Incl. Tax (%1)" -"Shipping Excl. Tax (%1)","Shipping Excl. Tax (%1)" -"Grand Total Excl. Tax",合计不含税 -"Grand Total Incl. Tax",合计含税 -"Subtotal (Excl. Tax)",小计(不含税) -"Subtotal (Incl. Tax)",小计(含税) -"Row Total",总行数 -"Tax Rate Information",税率信息 -"Tax Identifier",税务识别符 -"Zip/Post is Range",邮编范围 -"Zip/Post Code",邮政编码 -"'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1.","'*' - matches any; 'xyz*' - matches any that begins on 'xyz' and are not longer than %1." -"Range From",范围从 -"Range To",范围到 -State,州 -"Rate Percent",税率百分率 -"Tax Titles",税务标题 -"Add New Tax Rate",添加新税率 -"Delete Rate",删除费率 -"Save Rate",保存税率 -"Manage Tax Rules",管理税务规则 -"Add New Tax Rule",添加新税率规则 -"Save Rule",保存规则 -"Delete Rule",删除规则 -"Tax Rule Information",税务规则信息 -"Customer Tax Class",客户税务类型 -"Product Tax Class",产品税务类型 -"Tax Rate",税率 -"Tax rates at the same priority are added, others are compounded.",同一优先级的税率已被添加,其它的是集合的。 -"Calculate Off Subtotal Only","Calculate Off Subtotal Only" -"Do you really want to delete this tax class?","Do you really want to delete this tax class?" -"Add New Tax Class","Add New Tax Class" -"Subtotal (Excl.Tax)",小计(不含税) -"Subtotal (Incl.Tax)",小计(含税) -"Shipping & Handling (Excl.Tax)",运费和手续费(不含税) -"Shipping & Handling (Incl.Tax)",运费和手续费(含税) -"Grand Total (Excl.Tax)",合计(不含税) -"Grand Total (Incl.Tax)",合计(含税) -"Tax Zones and Rates","Tax Zones and Rates" -"Manage Tax Rates",管理税率 -"New Tax Rate",新税率 -"The tax rate has been saved.",该税率已保存。 -"Something went wrong saving this rate.","Something went wrong saving this rate." -"Edit Tax Rate",编辑税率 -"The tax rate has been deleted.",该税率已被删除。 -"Something went wrong deleting this rate.","Something went wrong deleting this rate." -"Something went wrong deleting this rate because of an incorrect rate ID.","Something went wrong deleting this rate because of an incorrect rate ID." -"An error occurred while deleting this tax rate.","An error occurred while deleting this tax rate." -"Import and Export Tax Rates","Import and Export Tax Rates" -"The tax rate has been imported.",该税率已被导入。 -"Invalid file upload attempt",文件无效的上传企图 -"Tax Rules",税务规则 -"New Tax Rule","New Tax Rule" -"The tax rule has been saved.",该税务规则已保存。 -"Something went wrong saving this tax rule.","Something went wrong saving this tax rule." -"This rule no longer exists.",该规则不存在。 -"The tax rule has been deleted.",该税务规则已被删除。 -"Something went wrong deleting this tax rule.","Something went wrong deleting this tax rule." -"Something went wrong saving this tax class.","Something went wrong saving this tax class." -"Something went wrong deleting this tax class.","Something went wrong deleting this tax class." -"Please fill all required fields with valid information.","Please fill all required fields with valid information." -"Rate Percent should be a positive number.","Rate Percent should be a positive number." -"Maximum zip code length is 9.","Maximum zip code length is 9." -"Zip code should not contain characters other than digits.","Zip code should not contain characters other than digits." -"Range To should be equal or greater than Range From.","Range To should be equal or greater than Range From." -"This class no longer exists.","This class no longer exists." -"You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first.","You cannot delete this tax class because it is used in Tax Rules. You have to delete the rules it is used in first." -"You cannot delete this tax class because it is used in existing %1(s).","You cannot delete this tax class because it is used in existing %1(s)." -"Custom price if available",可用时的自定义价格 -"Original price only",仅原价 -"Shipping Origin","Shipping Origin" -"No (price without tax)","No (price without tax)" -"Yes (only price with tax)","Yes (only price with tax)" -"Both (without and with tax)","Both (without and with tax)" -"Grand Total (Excl. Tax)",合计(不含税) -"Grand Total (Incl. Tax)",合计(含税) -"Shipping (Excl. Tax)",运费(不含税) -"Shipping (Incl. Tax)",运费(含税) -"Before Discount",折前 -"After Discount",折扣后 -"Excluding Tax",不含税 -"Including Tax",含税 -"Including and Excluding Tax",包含和不包含税 -"Warning tax configuration can result in rounding errors. ","Warning tax configuration can result in rounding errors. " -"Store(s) affected: ","Store(s) affected: " -"Click on the link to ignore this notification","Click on the link to ignore this notification" -"Warning tax discount configuration might result in different discounts - than a customer might expect. ","Warning tax discount configuration might result in different discounts - than a customer might expect. " -"Please see documentation for more details. ","Please see documentation for more details. " -"Click here to go to Tax Configuration and change your settings.","Click here to go to Tax Configuration and change your settings." -"customer group","customer group" -product,product -"Import Tax Rates",导入税率 -"Export Tax Rates",导出税率 -Note:,Note: -"Leave this field empty if you wish to use the tax identifier.","Leave this field empty if you wish to use the tax identifier." -"Do you really want to delete this tax rate?","Do you really want to delete this tax rate?" -"Add New Class",添加新类 -"Default Country","Default Country" -"Tax Calculation Based On","Tax Calculation Based On" -"Tax Classes","Tax Classes" -"Tax Class for Shipping","Tax Class for Shipping" -"Default Tax Class for Product","Default Tax Class for Product" -"Default Tax Class for Customer","Default Tax Class for Customer" -"Calculation Settings","Calculation Settings" -"Tax Calculation Method Based On","Tax Calculation Method Based On" -"Catalog Prices","Catalog Prices" -"This sets whether catalog prices entered by admin include tax.","This sets whether catalog prices entered by admin include tax." -"Shipping Prices","Shipping Prices" -"This sets whether shipping amounts entered by admin or obtained from gateways include tax.","This sets whether shipping amounts entered by admin or obtained from gateways include tax." -"Apply Customer Tax","Apply Customer Tax" -"Apply Discount On Prices","Apply Discount On Prices" -"Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected.","Apply discount on price including tax is calculated based on store tax, if ""Apply Tax after Discount"" is selected." -"Apply Tax On","Apply Tax On" -"Enable Cross Border Trade","Enable Cross Border Trade" -"When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is.","When catalog price includes tax, enable this setting will fix the price no matter what the customer's tax rate is." -"Default Tax Destination Calculation","Default Tax Destination Calculation" -"Default State","Default State" -"Default Post Code","Default Post Code" -"Price Display Settings","Price Display Settings" -"Display Product Prices In Catalog","Display Product Prices In Catalog" -"Display Shipping Prices","Display Shipping Prices" -"Shopping Cart Display Settings","Shopping Cart Display Settings" -"Display Prices","Display Prices" -"Display Subtotal","Display Subtotal" -"Display Shipping Amount","Display Shipping Amount" -"Include Tax In Grand Total","Include Tax In Grand Total" -"Display Full Tax Summary","Display Full Tax Summary" -"Display Zero Tax Subtotal","Display Zero Tax Subtotal" -"Orders, Invoices, Credit Memos Display Settings","Orders, Invoices, Credit Memos Display Settings" -State/Region,州/地区 -"Subtotal Only","Subtotal Only" -Taxes,Taxes -"Import/Export Tax Rates","Import/Export Tax Rates" diff --git a/app/code/Magento/Theme/i18n/de_DE.csv b/app/code/Magento/Theme/i18n/de_DE.csv deleted file mode 100644 index 1ad9fbc945b69..0000000000000 --- a/app/code/Magento/Theme/i18n/de_DE.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,Schließen -"Delete File","Delete File" -"-- Please Select --","-- Bitte auswählen –" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar","Über den Kalender" -"Go Today","Heute aufrufen" -Previous,Zurück -Next,Weiter -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page","pro Seite" -Page,Page -label,label -Empty,Leer -"Close Window","Fenster schließen" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Anzeigen -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs","Melden Sie alle Fehler" -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy","Helfen Sie uns Magento gesund zu halten" -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","JavaScript scheint in Ihrem Browser deaktiviert zu sein." -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description","Standard Beschreibung" -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!","Standard Willkommensnachricht!" -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column","1 Spalte" -"2 columns with left bar","2 Spalten mit linker Leiste" -"2 columns with right bar","2 Spalten mit rechter Leiste" -"3 columns","3 Spalten" -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.","Das Anfangsdatum darf nicht nach dem Enddatum liegen." -"Your design change for the specified store intersects with another one, please specify another date range.","Ihre Design-Änderung für den ausgewählten Store überschneidet sich mit einer anderen, bitte wählen Sie einen anderen Zeitraum." -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Theme/i18n/es_ES.csv b/app/code/Magento/Theme/i18n/es_ES.csv deleted file mode 100644 index e6a23175f9db3..0000000000000 --- a/app/code/Magento/Theme/i18n/es_ES.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,Cerrar -"Delete File","Delete File" -"-- Please Select --","-- Seleccionar, por favor --" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar","Sobre el calendario" -"Go Today","Ir a Hoy" -Previous,Anterior -Next,Siguiente -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page","por página" -Page,Page -label,label -Empty,Vacío(a) -"Close Window","Cerrar Ventana" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Mostrar -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs","Informar de todos los errores" -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy","Ayúdenos a que Magento siga funcionando correctamente" -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","Puede que JavaScript esté deshabilitado en tu navegador." -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description","Descripción predeterminada" -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!","¡Mensaje por defecto de bienvenida!" -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column","1 columna" -"2 columns with left bar","2 columnas con barra a la izquierda" -"2 columns with right bar","2 columnas con barra a la derecha" -"3 columns","3 columnas" -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.","La fecha de inicio no puede ser mayor que la de fin." -"Your design change for the specified store intersects with another one, please specify another date range.","Su cambio de diseño para la tienda especificada se superpone con otro. Especifique otro rango de fecha." -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Theme/i18n/fr_FR.csv b/app/code/Magento/Theme/i18n/fr_FR.csv deleted file mode 100644 index 97dc59a800614..0000000000000 --- a/app/code/Magento/Theme/i18n/fr_FR.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,Fermer -"Delete File","Delete File" -"-- Please Select --","-- Merci de Sélectionner --" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar","Au sujet du Calendrier" -"Go Today","Aller aujourd'hui" -Previous,Précédent -Next,Suivant -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page","par page" -Page,Page -label,label -Empty,Vide -"Close Window","Fermer fenêtre" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Montrer -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs","Rapporter tous les bugs" -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy","Aidez-nous à maintenir Magento en forme" -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","Le JavaScript semble être désactivé sur votre navigateur." -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description","Description par défaut" -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!","Message de bienvenue par défaut!" -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column","1 colonne" -"2 columns with left bar","2 colonnes avec barre gauche" -"2 columns with right bar","2 colonnes avec barre droite" -"3 columns","3 colonnes" -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.","La date de début ne peut pas être après la date de fin." -"Your design change for the specified store intersects with another one, please specify another date range.","Votre changement de dessin pour la boutique spécifiée se mélange à une autre, veuillez spécifier une autre fourchette de dates." -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Theme/i18n/nl_NL.csv b/app/code/Magento/Theme/i18n/nl_NL.csv deleted file mode 100644 index 2c031ef071545..0000000000000 --- a/app/code/Magento/Theme/i18n/nl_NL.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,Sluiten -"Delete File","Delete File" -"-- Please Select --","-- Selecteer alstublieft --" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar","Over de kalender" -"Go Today","Ga Vandaag" -Previous,Vorige -Next,Volgende -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page","per pagina" -Page,Page -label,label -Empty,Leeg -"Close Window","Venster Sluiten" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Toon -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs","Rapporteer Alle Bugs" -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy","Help ons Magento gezond te houden" -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","JavaScript lijkt uitgeschakeld te zijn in uw browser." -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description","Standaard Omschrijving" -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!","Standaard welkom bericht!" -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column","1 kolom" -"2 columns with left bar","2 kolommen met linkerbalk" -"2 columns with right bar","2 kolommen met rechterbalk" -"3 columns","3 kolommen" -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.","Begin datum kan niet later zijn dan eind datum." -"Your design change for the specified store intersects with another one, please specify another date range.","Uw ontwerp verandering voor de gespecificeerde store komt in conflict met een andere, specificeer a.u.b. een andere datumrange." -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Theme/i18n/pt_BR.csv b/app/code/Magento/Theme/i18n/pt_BR.csv deleted file mode 100644 index fc7f79e2e2097..0000000000000 --- a/app/code/Magento/Theme/i18n/pt_BR.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,Fechar -"Delete File","Delete File" -"-- Please Select --","- Por Favor Selecione -" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar","Sobre o calendário" -"Go Today","Ir Hoje" -Previous,Anterior -Next,Próximo -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page","por página" -Page,Page -label,label -Empty,Vazio -"Close Window","Fechar Janela" -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,Mostrar -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs","Reporte Todos os Erros" -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy","Ajude-nos a manter o Magento Saudável" -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","O JavaScript parece estar desativado no seu navegador." -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description","Descrição padrão" -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!","Mensagem de boas-vindas padrão!" -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column","1 coluna" -"2 columns with left bar","2 colunas com barra à esquerda" -"2 columns with right bar","2 colunas com barra à direita" -"3 columns","3 colunas" -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.","Data de início não pode ser maior que a data do término." -"Your design change for the specified store intersects with another one, please specify another date range.","Sua mudança de design para a loja especificada cruza com outra, por favor especifique outro intervalo de datas." -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Theme/i18n/zh_Hans_CN.csv b/app/code/Magento/Theme/i18n/zh_Hans_CN.csv deleted file mode 100644 index ec081b87a5e89..0000000000000 --- a/app/code/Magento/Theme/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,142 +0,0 @@ -Remove,Remove -Close,关闭 -"Delete File","Delete File" -"-- Please Select --","-- 请选择 --" -General,General -"Save and Continue Edit","Save and Continue Edit" -"About the calendar",关于日历 -"Go Today",转到今天 -Previous,上一个 -Next,下一个 -WK,WK -Time,Time -Hour,Hour -Minute,Minute -"per page",每页 -Page,Page -label,label -Empty,空 -"Close Window",关闭窗口 -"%1 Item","%1 Item" -"%1 Item(s)","%1 Item(s)" -Show,显示 -"Media Storage","Media Storage" -"Delete Folder","Delete Folder" -"Insert File","Insert File" -"New Folder Name:","New Folder Name:" -"Are you sure you want to delete this folder?","Are you sure you want to delete this folder?" -"Are you sure you want to delete this file?","Are you sure you want to delete this file?" -"Storage Root","Storage Root" -"We cannot upload the file.","We cannot upload the file." -"We cannot delete root directory %1.","We cannot delete root directory %1." -Theme,Theme -"Custom CSS","Custom CSS" -"Select JS Files to Upload","Select JS Files to Upload" -Header,Header -"Are you sure you want to delete this theme?","Are you sure you want to delete this theme?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -"We cannot upload the CSS file.","We cannot upload the CSS file." -"We cannot upload the JS file.","We cannot upload the JS file." -"Browse Files","Browse Files" -"Create Folder","Create Folder" -"Report All Bugs",报告所有Bug -"(ver. %1)","(ver. %1)" -"Welcome, %1!","Welcome, %1!" -"Add New Theme","Add New Theme" -Themes,Themes -"Theme: %1","Theme: %1" -"New Theme","New Theme" -"Theme CSS","Theme CSS" -"Theme CSS Assets","Theme CSS Assets" -"Select CSS File to Upload","Select CSS File to Upload" -"Upload CSS File","Upload CSS File" -"Download CSS File","Download CSS File" -Manage,Manage -"Upload Images","Upload Images" -"Images Assets","Images Assets" -"Upload Fonts","Upload Fonts" -"Fonts Assets","Fonts Assets" -"Edit custom.css","Edit custom.css" -"Allowed file types *.css.","Allowed file types *.css." -"This file will replace the current custom.css file and can't be more than 2 MB.","This file will replace the current custom.css file and can't be more than 2 MB." -"Max file size to upload %1M","Max file size to upload %1M" -"Something is wrong with the file upload settings.","Something is wrong with the file upload settings." -"CSS Editor","CSS Editor" -"Theme Settings","Theme Settings" -"Parent Theme","Parent Theme" -"Theme Path","Theme Path" -"Theme Version","Theme Version" -"Example: 0.0.0.1 or 123.1.0.25-alpha1","Example: 0.0.0.1 or 123.1.0.25-alpha1" -"Theme Title","Theme Title" -"Theme Preview Image","Theme Preview Image" -"Copy of %1","Copy of %1" -"Max image size %1M","Max image size %1M" -"Theme JavaScript","Theme JavaScript" -"Upload JS Files","Upload JS Files" -"JS Editor","JS Editor" -"Allowed file types *.js.","Allowed file types *.js." -"We cannot find theme ""%1"".","We cannot find theme ""%1""." -"We cannot find the theme.","We cannot find the theme." -"Theme isn't editable.","Theme isn't editable." -"You saved the theme.","You saved the theme." -"You deleted the theme.","You deleted the theme." -"We cannot delete the theme.","We cannot delete the theme." -"We cannot find a theme with id ""%1"".","We cannot find a theme with id ""%1""." -"We cannot find file","We cannot find file" -"File not found: ""%1"".","File not found: ""%1""." -"The CSS file must be less than %1M.","The CSS file must be less than %1M." -"The JS file must be less than %1M.","The JS file must be less than %1M." -"Use only standard alphanumeric, dashes and underscores.","Use only standard alphanumeric, dashes and underscores." -"We found a directory with the same name.","We found a directory with the same name." -"We cannot find a directory with this name.","We cannot find a directory with this name." -"We found no files.","We found no files." -"Help Us to Keep Magento Healthy",帮助我们保证Magento的健康 -"Toggle Nav","Toggle Nav" -"JavaScript seems to be disabled in your browser.","你的浏览器似乎禁用了 JavaScript。" -"Enable JavaScript in your browser to get the best experience on our website!","Enable JavaScript in your browser to get the best experience on our website!" -"Local Storage seems to be disabled in your browser.","Local Storage seems to be disabled in your browser." -"Enable Local Storage in your browser to get the best experience on our website!","Enable Local Storage in your browser to get the best experience on our website!" -"This is demo store. All orders will not be transferred.","This is demo store. All orders will not be transferred." -"We use cookies to make your experience better.","We use cookies to make your experience better." -"To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies.","To comply with the new e-Privacy directive, we need to ask for your consent to set the cookies." -"Learn more.","Learn more." -"Allow Cookies","Allow Cookies" -"Items %1 to %2 of %3 total","Items %1 to %2 of %3 total" -"You're currently reading page","You're currently reading page" -"We don't recognize this file extension.","We don't recognize this file extension." -"We cannot detect a size.","We cannot detect a size." -"Logo Image","Logo Image" -"Logo Image Alt","Logo Image Alt" -"HTML Head","HTML Head" -"Favicon Icon","Favicon Icon" -"Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!","Allowed file types: ICO, PNG, GIF, JPG, JPEG, APNG, SVG. Not all browsers support all these formats!" -"Default Title","Default Title" -"Title Prefix","Title Prefix" -"Title Suffix","Title Suffix" -"Default Description",默认描述 -"Default Keywords","Default Keywords" -"Miscellaneous Scripts","Miscellaneous Scripts" -"This will be included before head closing tag in page HTML.","This will be included before head closing tag in page HTML." -"Display Demo Store Notice","Display Demo Store Notice" -"Search Engine Robots","Search Engine Robots" -"Default Robots","Default Robots" -"Edit custom instruction of robots.txt File","Edit custom instruction of robots.txt File" -"Reset to Defaults","Reset to Defaults" -"This action will delete your custom instructions and reset robots.txt file to system's default settings.","This action will delete your custom instructions and reset robots.txt file to system's default settings." -"Welcome Text","Welcome Text" -Footer,Footer -Copyright,Copyright -"Miscellaneous HTML","Miscellaneous HTML" -"This will be displayed just before body closing tag.","This will be displayed just before body closing tag." -"Default welcome msg!",默认欢迎信息! -"© 2015 Magento Demo Store. All Rights Reserved.","© 2015 Magento Demo Store. All Rights Reserved." -"1 column",1栏 -"2 columns with left bar",2栏带左边栏 -"2 columns with right bar",2栏带右边栏 -"3 columns",3栏 -"Skip to content","Skip to content" -"Invalid regular expression: ""%1"".","Invalid regular expression: ""%1""." -"Start date cannot be greater than end date.",开始日期不能大于结束日期。 -"Your design change for the specified store intersects with another one, please specify another date range.",您对指定商店设计的更改和另一个有交叉,请重新指定日期范围。 -Copy,Copy -"Circular-reference in theme inheritance detected for ""%1""","Circular-reference in theme inheritance detected for ""%1""" diff --git a/app/code/Magento/Translation/i18n/de_DE.csv b/app/code/Magento/Translation/i18n/de_DE.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/de_DE.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Translation/i18n/es_ES.csv b/app/code/Magento/Translation/i18n/es_ES.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/es_ES.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Translation/i18n/fr_FR.csv b/app/code/Magento/Translation/i18n/fr_FR.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/fr_FR.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Translation/i18n/nl_NL.csv b/app/code/Magento/Translation/i18n/nl_NL.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/nl_NL.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Translation/i18n/pt_BR.csv b/app/code/Magento/Translation/i18n/pt_BR.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/pt_BR.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Translation/i18n/zh_Hans_CN.csv b/app/code/Magento/Translation/i18n/zh_Hans_CN.csv deleted file mode 100644 index 56239f74d9613..0000000000000 --- a/app/code/Magento/Translation/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,143 +0,0 @@ -Close,Close -Cancel,Cancel -"Add Products","Add Products" -No,No -"Delete File","Delete File" -Delete,Delete -Save,Save -Yes,Yes -"Please select items.","Please select items." -Submit,Submit -Error,Error -"Please wait...","Please wait..." -"Please select an option.","Please select an option." -"This is a required field.","This is a required field." -"Please enter a valid number in this field.","Please enter a valid number in this field." -"Please enter a valid date.","Please enter a valid date." -"Please make sure your passwords match.","Please make sure your passwords match." -"Please enter a valid zip code.","Please enter a valid zip code." -"Please select State/Province.","Please select State/Province." -"Please enter a number greater than 0 in this field.","Please enter a number greater than 0 in this field." -"Please enter a valid credit card number.","Please enter a valid credit card number." -"Please wait, loading...","Please wait, loading..." -"No records found.","No records found." -Loading...,Loading... -OK,OK -"New Option","New Option" -Import,Import -"start typing to search category","start typing to search category" -"Please enter a number 0 or greater in this field.","Please enter a number 0 or greater in this field." -"The From Date value should be less than or equal to the To Date value.","The From Date value should be less than or equal to the To Date value." -"select all","select all" -Allow,Allow -"Please specify at least one search term.","Please specify at least one search term." -"Delete Folder","Delete Folder" -Folder,Folder -"Are you sure you want to delete this address?","Are you sure you want to delete this address?" -"Sorry, there was an unknown error.","Sorry, there was an unknown error." -Activate,Activate -Reauthorize,Reauthorize -"Create New Wish List","Create New Wish List" -"Please enter a valid credit card verification number.","Please enter a valid credit card verification number." -"Edit Order","Edit Order" -"Please specify a shipping method.","Please specify a shipping method." -Complete,Complete -"Upload Security Error","Upload Security Error" -"Upload HTTP Error","Upload HTTP Error" -"Upload I/O Error","Upload I/O Error" -"SSL Error: Invalid or self-signed certificate","SSL Error: Invalid or self-signed certificate" -TB,TB -GB,GB -MB,MB -kB,kB -B,B -"Add Products By SKU","Add Products By SKU" -"Insert Widget...","Insert Widget..." -"HTML tags are not allowed","HTML tags are not allowed" -"The value is not within the specified range.","The value is not within the specified range." -"Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas.","Please use numbers only in this field. Please avoid spaces or other characters such as dots or commas." -"Please use letters only (a-z or A-Z) in this field.","Please use letters only (a-z or A-Z) in this field." -"Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed.","Please use only letters (a-z or A-Z) or numbers (0-9) only in this field. No spaces or other characters are allowed." -"Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field.","Please use only letters (a-z or A-Z) or numbers (0-9) or spaces and # only in this field." -"Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890.","Please enter a valid fax number. For example (123) 456-7890 or 123-456-7890." -"Please enter a valid email address. For example johndoe@domain.com.","Please enter a valid email address. For example johndoe@domain.com." -"Please use only visible characters and spaces.","Please use only visible characters and spaces." -"Please enter 6 or more characters. Leading or trailing spaces will be ignored.","Please enter 6 or more characters. Leading or trailing spaces will be ignored." -"Please enter 7 or more characters. Password should contain both numeric and alphabetic characters.","Please enter 7 or more characters. Password should contain both numeric and alphabetic characters." -"Please enter a valid URL. Protocol is required (http://, https:// or ftp://)","Please enter a valid URL. Protocol is required (http://, https:// or ftp://)" -"Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page"".","Please enter a valid URL Key. For example ""example-page"", ""example-page.html"" or ""anotherlevel/example-page""." -"Please enter a valid XML-identifier. For example something_1, block5, id-4.","Please enter a valid XML-identifier. For example something_1, block5, id-4." -"Please enter a valid social security number. For example 123-45-6789.","Please enter a valid social security number. For example 123-45-6789." -"Please enter a valid zip code. For example 90602 or 90602-1234.","Please enter a valid zip code. For example 90602 or 90602-1234." -"Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006.","Please use this date format: dd/mm/yyyy. For example 17/03/2006 for the 17th of March, 2006." -"Please select one of the above options.","Please select one of the above options." -"Please select one of the options.","Please select one of the options." -"Credit card number does not match credit card type.","Credit card number does not match credit card type." -"Card type does not match credit card number.","Card type does not match credit card number." -"Incorrect credit card expiration date.","Incorrect credit card expiration date." -"Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter.","Please use only letters (a-z or A-Z), numbers (0-9) or underscore(_) in this field, first character should be a letter." -"Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%.","Please input a valid CSS-length. For example 100px or 77pt or 20em or .5ex or 50%." -"Text length does not satisfy specified text range.","Text length does not satisfy specified text range." -"Please enter a number lower than 100.","Please enter a number lower than 100." -"Please select a file","Please select a file" -"Please enter issue number or start date for switch/solo card type.","Please enter issue number or start date for switch/solo card type." -"This date is a required value.","This date is a required value." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a valid month (1-12).","Please enter a valid month (1-12)." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid full date","Please enter a valid full date" -Done,Done -"File extension not known or unsupported type.","File extension not known or unsupported type." -"Configure Product","Configure Product" -"Gift Options for ","Gift Options for " -"Add Products to New Option","Add Products to New Option" -"Add Products to Option ""%1""","Add Products to Option ""%1""" -"Add Selected Products","Add Selected Products" -"Select type of option.","Select type of option." -"Please add rows to option.","Please add rows to option." -"Select Product","Select Product" -"Add Products to Group","Add Products to Group" -"Choose existing category.","Choose existing category." -"Create Category","Create Category" -"Something went wrong while loading the theme.","Something went wrong while loading the theme." -"We don't recognize or support this file extension type.","We don't recognize or support this file extension type." -"No stores were reassigned.","No stores were reassigned." -"Assign theme to your live store-view:","Assign theme to your live store-view:" -"Default title","Default title" -"The URL to assign stores is not defined.","The URL to assign stores is not defined." -"Some problem with revert action","Some problem with revert action" -"Error: unknown error.","Error: unknown error." -"Some problem with save action","Some problem with save action" -"Are you sure you want to delete the folder named","Are you sure you want to delete the folder named" -"Method ","Method " -Translate,Translate -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"Recent items","Recent items" -"Show all...","Show all..." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." -"Please choose to register or to checkout as a guest.","Please choose to register or to checkout as a guest." -"We are not able to ship to the selected shipping address. Please choose another address or edit the current address.","We are not able to ship to the selected shipping address. Please choose another address or edit the current address." -"Error happened while creating wishlist. Please try again later","Error happened while creating wishlist. Please try again later" -"You must select items to move","You must select items to move" -"You must select items to copy","You must select items to copy" -"You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?","You are about to delete your wish list. This action cannot be undone. Are you sure you want to continue?" -"Please specify payment method.","Please specify payment method." -"Use gift registry shipping address","Use gift registry shipping address" -"You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout.","You can change the number of gift registry items on the Gift Registry Info page or directly in your cart, but not while in checkout." -"No confirmation","No confirmation" -"Sorry, something went wrong.","Sorry, something went wrong." -"Sorry, something went wrong. Please try again later.","Sorry, something went wrong. Please try again later." -"unselect all","unselect all" -"Please agree to all Terms and Conditions before placing the orders.","Please agree to all Terms and Conditions before placing the orders." -"Please choose to register or to checkout as a guest","Please choose to register or to checkout as a guest" -"Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address.","Your order cannot be completed at this time as there is no shipping methods available for it. Please make necessary changes in your shipping address." -"Please specify shipping method.","Please specify shipping method." -"Your order cannot be completed at this time as there is no payment methods available for it.","Your order cannot be completed at this time as there is no payment methods available for it." -Ok,Ok -"We can't complete your order because you don't have a payment method available.","We can't complete your order because you don't have a payment method available." -Translations,Translations -"Translation files.","Translation files." diff --git a/app/code/Magento/Ups/i18n/de_DE.csv b/app/code/Magento/Ups/i18n/de_DE.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/de_DE.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/Ups/i18n/es_ES.csv b/app/code/Magento/Ups/i18n/es_ES.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/es_ES.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/Ups/i18n/fr_FR.csv b/app/code/Magento/Ups/i18n/fr_FR.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/fr_FR.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/Ups/i18n/nl_NL.csv b/app/code/Magento/Ups/i18n/nl_NL.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/nl_NL.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/Ups/i18n/pt_BR.csv b/app/code/Magento/Ups/i18n/pt_BR.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/pt_BR.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/Ups/i18n/zh_Hans_CN.csv b/app/code/Magento/Ups/i18n/zh_Hans_CN.csv deleted file mode 100644 index 93a5ab41bfa25..0000000000000 --- a/app/code/Magento/Ups/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,111 +0,0 @@ -None,None -"Sort Order","Sort Order" -Title,Title -label,label -Password,Password -Pounds,Pounds -Kilograms,Kilograms -Ground,Ground -"Not Required","Not Required" -status,status -"Empty response","Empty response" -Mode,Mode -"UPS Next Day Air","UPS Next Day Air" -"UPS Second Day Air","UPS Second Day Air" -"UPS Ground","UPS Ground" -"UPS Worldwide Express","UPS Worldwide Express" -"UPS Worldwide Expedited","UPS Worldwide Expedited" -"UPS Standard","UPS Standard" -"UPS Three-Day Select","UPS Three-Day Select" -"UPS Next Day Air Saver","UPS Next Day Air Saver" -"UPS Next Day Air Early A.M.","UPS Next Day Air Early A.M." -"UPS Worldwide Express Plus","UPS Worldwide Express Plus" -"UPS Second Day Air A.M.","UPS Second Day Air A.M." -"UPS Saver","UPS Saver" -"UPS Worldwide Saver","UPS Worldwide Saver" -"UPS Express","UPS Express" -"UPS Expedited","UPS Expedited" -"UPS Express Early A.M.","UPS Express Early A.M." -"UPS Worldwide Express PlusSM","UPS Worldwide Express PlusSM" -"UPS Today Standard","UPS Today Standard" -"UPS Today Dedicated Courrier","UPS Today Dedicated Courrier" -"UPS Today Intercity","UPS Today Intercity" -"UPS Today Express","UPS Today Express" -"UPS Today Express Saver","UPS Today Express Saver" -"UPS Express Plus","UPS Express Plus" -"Next Day Air Early AM","Next Day Air Early AM" -"Next Day Air Early AM Letter","Next Day Air Early AM Letter" -"Next Day Air","Next Day Air" -"Next Day Air Letter","Next Day Air Letter" -"Next Day Air Intra (Puerto Rico)","Next Day Air Intra (Puerto Rico)" -"Next Day Air Saver","Next Day Air Saver" -"Next Day Air Saver Letter","Next Day Air Saver Letter" -"2nd Day Air AM","2nd Day Air AM" -"2nd Day Air AM Letter","2nd Day Air AM Letter" -"2nd Day Air","2nd Day Air" -"2nd Day Air Letter","2nd Day Air Letter" -"3 Day Select","3 Day Select" -"Ground Commercial","Ground Commercial" -"Ground Residential","Ground Residential" -"Canada Standard","Canada Standard" -"Worldwide Express","Worldwide Express" -"Worldwide Express Saver","Worldwide Express Saver" -"Worldwide Express Letter","Worldwide Express Letter" -"Worldwide Express Plus","Worldwide Express Plus" -"Worldwide Express Plus Letter","Worldwide Express Plus Letter" -"Worldwide Expedited","Worldwide Expedited" -"Customer Packaging","Customer Packaging" -"UPS Letter Envelope","UPS Letter Envelope" -"Customer Supplied Package","Customer Supplied Package" -"UPS Tube","UPS Tube" -PAK,PAK -"UPS Express Box","UPS Express Box" -"UPS Worldwide 25 kilo","UPS Worldwide 25 kilo" -"UPS Worldwide 10 kilo","UPS Worldwide 10 kilo" -Pallet,Pallet -"Small Express Box","Small Express Box" -"Medium Express Box","Medium Express Box" -"Large Express Box","Large Express Box" -Residential,Residential -Commercial,Commercial -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"We can't convert a rate from ""%1-%2"".","We can't convert a rate from ""%1-%2""." -"Cannot retrieve shipping rates","Cannot retrieve shipping rates" -error_message,error_message -"Delivery Confirmation","Delivery Confirmation" -"Signature Required","Signature Required" -"Adult Signature Required","Adult Signature Required" -"United Parcel Service","United Parcel Service" -"United Parcel Service XML","United Parcel Service XML" -"User ID","User ID" -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Weight Unit","Weight Unit" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -UPS,UPS -"Access License Number","Access License Number" -"Destination Type","Destination Type" -"Gateway XML URL","Gateway XML URL" -"Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)","Minimum Package Weight (Please consult your shipping carrier for minimum supported shipping weight)" -"Origin of the Shipment","Origin of the Shipment" -"Pickup Method","Pickup Method" -"Tracking XML URL","Tracking XML URL" -"UPS Type","UPS Type" -"Live account","Live account" -"Enable Negotiated Rates","Enable Negotiated Rates" -"Shipper Number","Shipper Number" -"Required for negotiated rates; 6-character UPS","Required for negotiated rates; 6-character UPS" -"This enables or disables SSL verification of the Magento server by UPS.","This enables or disables SSL verification of the Magento server by UPS." diff --git a/app/code/Magento/UrlRewrite/i18n/de_DE.csv b/app/code/Magento/UrlRewrite/i18n/de_DE.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/de_DE.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/UrlRewrite/i18n/es_ES.csv b/app/code/Magento/UrlRewrite/i18n/es_ES.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/es_ES.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/UrlRewrite/i18n/fr_FR.csv b/app/code/Magento/UrlRewrite/i18n/fr_FR.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/fr_FR.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/UrlRewrite/i18n/nl_NL.csv b/app/code/Magento/UrlRewrite/i18n/nl_NL.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/nl_NL.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/UrlRewrite/i18n/pt_BR.csv b/app/code/Magento/UrlRewrite/i18n/pt_BR.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/pt_BR.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv b/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv deleted file mode 100644 index 8b6c4909ac308..0000000000000 --- a/app/code/Magento/UrlRewrite/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,57 +0,0 @@ -Custom,Custom -Back,Back -ID,ID -SKU,SKU -No,No -Action,Action -Reset,Reset -Edit,Edit -"Two and more slashes together are not permitted in request path","Two and more slashes together are not permitted in request path" -"Anchor symbol (#) is not supported in request path","Anchor symbol (#) is not supported in request path" -"Request Path for Specified Store","Request Path for Specified Store" -"Temporary (302)","Temporary (302)" -"Permanent (301)","Permanent (301)" -"Edit URL Rewrite for a Category","Edit URL Rewrite for a Category" -"Add URL Rewrite for a Category","Add URL Rewrite for a Category" -"Category:","Category:" -"We can't set up a URL rewrite because the product you chose is not associated with a website.","We can't set up a URL rewrite because the product you chose is not associated with a website." -"We can't set up a URL rewrite because the category your chose is not associated with a website.","We can't set up a URL rewrite because the category your chose is not associated with a website." -"Edit URL Rewrite for a Product","Edit URL Rewrite for a Product" -"Add URL Rewrite for a Product","Add URL Rewrite for a Product" -"Product:","Product:" -"Skip Category Selection","Skip Category Selection" -"Name","Name" -"Status","Status" -"Edit URL Rewrite for CMS page","Edit URL Rewrite for CMS page" -"Add URL Rewrite for CMS page","Add URL Rewrite for CMS page" -"CMS page:","CMS page:" -"Chosen cms page does not associated with any website.","Chosen cms page does not associated with any website." -"Title","Title" -"URL Key","URL Key" -"Store View","Store View" -"Edit URL Rewrite","Edit URL Rewrite" -"Add New URL Rewrite","Add New URL Rewrite" -"Delete","Delete" -"Are you sure you want to do this?","Are you sure you want to do this?" -"Save","Save" -"Block Information","Block Information" -"URL Rewrite Information","URL Rewrite Information" -"Request Path","Request Path" -"Target Path","Target Path" -"Redirect","Redirect" -"Description","Description" -"Store","Store" -"URL Rewrite Management","URL Rewrite Management" -"Add URL Rewrite","Add URL Rewrite" -"For category","For category" -"For product","For product" -"For CMS page","For CMS page" -"Create URL Rewrite:","Create URL Rewrite:" -"URL Rewrites","URL Rewrites" -"[New/Edit] URL Rewrite","[New/Edit] URL Rewrite" -"The URL Rewrite has been saved.","The URL Rewrite has been saved." -"An error occurred while saving URL Rewrite.","An error occurred while saving URL Rewrite." -"The URL Rewrite has been deleted.","The URL Rewrite has been deleted." -"An error occurred while deleting URL Rewrite.","An error occurred while deleting URL Rewrite." -"Select Category","Select Category" -"Options","Options" diff --git a/app/code/Magento/User/i18n/de_DE.csv b/app/code/Magento/User/i18n/de_DE.csv deleted file mode 100644 index eb4689a2501f9..0000000000000 --- a/app/code/Magento/User/i18n/de_DE.csv +++ /dev/null @@ -1,122 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,Benutzername -"Locked Users","Gesperrte Benutzer" -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.","Das Konto ist gesperrt." -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,Empfohlen -Forced,Dechiffriert -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Admin Accounts Locks","Admin Kontosperrungen" -Unlock,Entsperren -"Last login","Letzter Login" -Failures,Fehler -Unlocked,"Gesperrt bis" -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/User/i18n/es_ES.csv b/app/code/Magento/User/i18n/es_ES.csv deleted file mode 100644 index 1e9397fee14ca..0000000000000 --- a/app/code/Magento/User/i18n/es_ES.csv +++ /dev/null @@ -1,123 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,"Nombre de Usuario" -"Locked Users","Usuarios bloqueados" -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.","Esta cuenta está bloqueada." -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,Recomendado -Forced,Forzado -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Encryption Key Change","Cambio de clave de encriptación" -"Admin Accounts Locks","Bloqueo de cuentas de administración" -Unlock,Desbloquear -"Last login","Ultimo acceso" -Failures,Fallos -Unlocked,"Bloqueado hasta" -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/User/i18n/fr_FR.csv b/app/code/Magento/User/i18n/fr_FR.csv deleted file mode 100644 index 42116af645b08..0000000000000 --- a/app/code/Magento/User/i18n/fr_FR.csv +++ /dev/null @@ -1,123 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,"Nom d'utilisateur" -"Locked Users","Utilisateurs verrouillés" -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.","Le compte est verrouillé." -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,Recommandé -Forced,Forcé -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Encryption Key Change","Modification Clé de Chiffrement" -"Admin Accounts Locks","Verrous Comptes Administrateurs" -Unlock,Déverrouiller -"Last login","Dernière connexion" -Failures,Echecs -Unlocked,"Verrouillé jusqu'" -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/User/i18n/nl_NL.csv b/app/code/Magento/User/i18n/nl_NL.csv deleted file mode 100644 index 3745ad0430220..0000000000000 --- a/app/code/Magento/User/i18n/nl_NL.csv +++ /dev/null @@ -1,123 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,Gebruikersnaam -"Locked Users","Gesloten Gebruikers" -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.","Dit account is geblokkeerd." -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,Aanbevolen -Forced,Gedwongen -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Encryption Key Change","Encryptie Code Veranderen" -"Admin Accounts Locks","Beheerder Accounts Sloten" -Unlock,Openen -"Last login","Laatste login" -Failures,Mislukkingen -Unlocked,"Gesloten tot" -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/User/i18n/pt_BR.csv b/app/code/Magento/User/i18n/pt_BR.csv deleted file mode 100644 index 0edca55b30ea6..0000000000000 --- a/app/code/Magento/User/i18n/pt_BR.csv +++ /dev/null @@ -1,123 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,"Nome do usuário" -"Locked Users","Usuários Bloqueados" -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.","Esta conta está bloqueada." -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,Recomendado -Forced,Forçado -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Encryption Key Change","Mudança na Chave de Criptografia" -"Admin Accounts Locks","Bloqueios para Contas de Administrador" -Unlock,Desbloquear -"Last login","Último login" -Failures,Falhas -Unlocked,"Bloqueado até" -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/User/i18n/zh_Hans_CN.csv b/app/code/Magento/User/i18n/zh_Hans_CN.csv deleted file mode 100644 index 1c0292bf2db04..0000000000000 --- a/app/code/Magento/User/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,123 +0,0 @@ -All,All -Custom,Custom -Back,Back -ID,ID -Reset,Reset -"Account Information","Account Information" -"User Name","User Name" -"First Name","First Name" -"Last Name","Last Name" -Email,Email -"User Email","User Email" -"New Password","New Password" -"Password Confirmation","Password Confirmation" -"Interface Locale","Interface Locale" -Status,Status -"Are you sure you want to do this?","Are you sure you want to do this?" -System,System -"Access denied.","Access denied." -"Log into Magento Admin Page","Log into Magento Admin Page" -"Magento Admin Panel","Magento Admin Panel" -Active,Active -Role,Role -Inactive,Inactive -Password,Password -"Reset Password","Reset Password" -"If there is an account associated with %1 you will receive an email with a link to reset your password.","If there is an account associated with %1 you will receive an email with a link to reset your password." -"Your password reset link has expired.","Your password reset link has expired." -"Your password has been updated.","Your password has been updated." -"The first name cannot be empty.","The first name cannot be empty." -"The last name cannot be empty.","The last name cannot be empty." -"Please correct this email address: ""%1"".","Please correct this email address: ""%1""." -"Back to Login","Back to Login" -"Confirm New Password","Confirm New Password" -"Reset a Password","Reset a Password" -"Email Address:","Email Address:" -"Delete Role","Delete Role" -"Save Role","Save Role" -Roles,Roles -"Add New Role","Add New Role" -"Role Information","Role Information" -"Role Users","Role Users" -"User ID","User ID" -"Role Resources","Role Resources" -"Role Info","Role Info" -"Role Name","Role Name" -"Add New User","Add New User" -Users,Users -"Save User","Save User" -"Delete User","Delete User" -"Edit User '%1'","Edit User '%1'" -"New User","New User" -"This account is","This account is" -"Account Status","Account Status" -"User Roles Information","User Roles Information" -Assigned,Assigned -"User Information","User Information" -"User Info","User Info" -"User Role","User Role" -"Please correct this email address:","Please correct this email address:" -"The email address is empty.","The email address is empty." -"Please correct the password reset token.","Please correct the password reset token." -"Please specify the correct account and try again.","Please specify the correct account and try again." -Permissions,Permissions -"This user no longer exists.","This user no longer exists." -"Edit User","Edit User" -"You saved the user.","You saved the user." -"You cannot delete your own account.","You cannot delete your own account." -"You deleted the user.","You deleted the user." -"We can't find a user to delete.","We can't find a user to delete." -"Edit Role","Edit Role" -"New Role","New Role" -"You cannot delete self-assigned roles.","You cannot delete self-assigned roles." -"You deleted the role.","You deleted the role." -"An error occurred while deleting this role.","An error occurred while deleting this role." -"This role no longer exists.","This role no longer exists." -"You saved the role.","You saved the role." -"An error occurred while saving this role.","An error occurred while saving this role." -"A user with the same user name or email already exists.","A user with the same user name or email already exists." -"User Name is a required field.","User Name is a required field." -"First Name is a required field.","First Name is a required field." -"Last Name is a required field.","Last Name is a required field." -"Please enter a valid email.","Please enter a valid email." -"The user name cannot be empty.","The user name cannot be empty." -"Password is required field.","Password is required field." -"Your password must be at least %1 characters.","Your password must be at least %1 characters." -"Your password must include both numeric and alphabetic characters.","Your password must include both numeric and alphabetic characters." -"Your password confirmation must match your password.","Your password confirmation must match your password." -"You did not sign in correctly or your account is temporarily disabled.","You did not sign in correctly or your account is temporarily disabled." -"Forgot your user name or password?","Forgot your user name or password?" -"Retrieve Password","Retrieve Password" -"Forgot your password?","Forgot your password?" -"Roles Resources","Roles Resources" -"Resource Access","Resource Access" -Resources,Resources -"Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?","Warning!\r\nThis action will remove this user from already assigned role\r\nAre you sure?" -"Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?","Warning!\r\nThis action will remove those users from already assigned roles\r\nAre you sure?" -"Reset Password Template","Reset Password Template" -No,No -Yes,Yes -Username,用户名 -"Locked Users",锁定的用户 -"Unlocked %1 user(s).","Unlocked %1 user(s)." -"This account is locked.",该帐户已被锁定。 -"It's time to change your password.","It's time to change your password." -"It's time to change your password.","It's time to change your password." -"Sorry, but this password has already been used. Please create another.","Sorry, but this password has already been used. Please create another." -"Your password has expired; please contact your administrator.","Your password has expired; please contact your administrator." -Recommended,推荐 -Forced,强制 -"Maximum Login Failures to Lockout Account","Maximum Login Failures to Lockout Account" -"We will disable this feature if the value is empty.","We will disable this feature if the value is empty." -"Lockout Time (minutes)","Lockout Time (minutes)" -"Password Lifetime (days)","Password Lifetime (days)" -"We will disable this feature if the value is empty. ","We will disable this feature if the value is empty. " -"Password Change","Password Change" -"Encryption Key Change",加密密钥已更改 -"Admin Accounts Locks",管理帐户锁定 -Unlock,解锁 -"Last login",上一次登录 -Failures,失败 -Unlocked,锁定直到 -"All Users","All Users" -"User Roles","User Roles" diff --git a/app/code/Magento/Usps/i18n/de_DE.csv b/app/code/Magento/Usps/i18n/de_DE.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/de_DE.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Usps/i18n/es_ES.csv b/app/code/Magento/Usps/i18n/es_ES.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/es_ES.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Usps/i18n/fr_FR.csv b/app/code/Magento/Usps/i18n/fr_FR.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/fr_FR.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Usps/i18n/nl_NL.csv b/app/code/Magento/Usps/i18n/nl_NL.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/nl_NL.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Usps/i18n/pt_BR.csv b/app/code/Magento/Usps/i18n/pt_BR.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/pt_BR.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Usps/i18n/zh_Hans_CN.csv b/app/code/Magento/Usps/i18n/zh_Hans_CN.csv deleted file mode 100644 index 9ae0b37ee41ec..0000000000000 --- a/app/code/Magento/Usps/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,132 +0,0 @@ -None,None -No,No -Yes,Yes -"Sort Order","Sort Order" -Variable,Variable -Title,Title -Required,Required -Password,Password -Height,Height -Width,Width -Regular,Regular -Documents,Documents -"Unable to retrieve tracking","Unable to retrieve tracking" -Sample,Sample -"Not Required","Not Required" -"Empty response","Empty response" -Mode,Mode -Return,Return -Size,Size -Girth,Girth -Length,Length -"Sorry, something went wrong. Please try again or contact us and we'll try to help.","Sorry, something went wrong. Please try again or contact us and we'll try to help." -"User ID","User ID" -"First-Class Mail Large Envelope","First-Class Mail Large Envelope" -"First-Class Mail Letter","First-Class Mail Letter" -"First-Class Mail Parcel","First-Class Mail Parcel" -"First-Class Mail Postcards","First-Class Mail Postcards" -"Priority Mail","Priority Mail" -"Priority Mail Express Hold For Pickup","Priority Mail Express Hold For Pickup" -"Priority Mail Express","Priority Mail Express" -"Standard Post","Standard Post" -"Media Mail","Media Mail" -"Library Mail","Library Mail" -"Priority Mail Express Flat Rate Envelope","Priority Mail Express Flat Rate Envelope" -"First-Class Mail Large Postcards","First-Class Mail Large Postcards" -"Priority Mail Flat Rate Envelope","Priority Mail Flat Rate Envelope" -"Priority Mail Medium Flat Rate Box","Priority Mail Medium Flat Rate Box" -"Priority Mail Large Flat Rate Box","Priority Mail Large Flat Rate Box" -"Priority Mail Express Sunday/Holiday Delivery","Priority Mail Express Sunday/Holiday Delivery" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Flat Rate Envelope" -"Priority Mail Express Flat Rate Envelope Hold For Pickup","Priority Mail Express Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Box","Priority Mail Small Flat Rate Box" -"Priority Mail Padded Flat Rate Envelope","Priority Mail Padded Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope","Priority Mail Express Legal Flat Rate Envelope" -"Priority Mail Express Legal Flat Rate Envelope Hold For Pickup","Priority Mail Express Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Legal Flat Rate Envelope" -"Priority Mail Hold For Pickup","Priority Mail Hold For Pickup" -"Priority Mail Large Flat Rate Box Hold For Pickup","Priority Mail Large Flat Rate Box Hold For Pickup" -"Priority Mail Medium Flat Rate Box Hold For Pickup","Priority Mail Medium Flat Rate Box Hold For Pickup" -"Priority Mail Small Flat Rate Box Hold For Pickup","Priority Mail Small Flat Rate Box Hold For Pickup" -"Priority Mail Flat Rate Envelope Hold For Pickup","Priority Mail Flat Rate Envelope Hold For Pickup" -"Priority Mail Gift Card Flat Rate Envelope","Priority Mail Gift Card Flat Rate Envelope" -"Priority Mail Gift Card Flat Rate Envelope Hold For Pickup","Priority Mail Gift Card Flat Rate Envelope Hold For Pickup" -"Priority Mail Window Flat Rate Envelope","Priority Mail Window Flat Rate Envelope" -"Priority Mail Window Flat Rate Envelope Hold For Pickup","Priority Mail Window Flat Rate Envelope Hold For Pickup" -"Priority Mail Small Flat Rate Envelope","Priority Mail Small Flat Rate Envelope" -"Priority Mail Small Flat Rate Envelope Hold For Pickup","Priority Mail Small Flat Rate Envelope Hold For Pickup" -"Priority Mail Legal Flat Rate Envelope","Priority Mail Legal Flat Rate Envelope" -"Priority Mail Legal Flat Rate Envelope Hold For Pickup","Priority Mail Legal Flat Rate Envelope Hold For Pickup" -"Priority Mail Padded Flat Rate Envelope Hold For Pickup","Priority Mail Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Regional Rate Box A","Priority Mail Regional Rate Box A" -"Priority Mail Regional Rate Box A Hold For Pickup","Priority Mail Regional Rate Box A Hold For Pickup" -"Priority Mail Regional Rate Box B","Priority Mail Regional Rate Box B" -"Priority Mail Regional Rate Box B Hold For Pickup","Priority Mail Regional Rate Box B Hold For Pickup" -"First-Class Package Service Hold For Pickup","First-Class Package Service Hold For Pickup" -"Priority Mail Express Flat Rate Boxes","Priority Mail Express Flat Rate Boxes" -"Priority Mail Express Flat Rate Boxes Hold For Pickup","Priority Mail Express Flat Rate Boxes Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes","Priority Mail Express Sunday/Holiday Delivery Flat Rate Boxes" -"Priority Mail Regional Rate Box C","Priority Mail Regional Rate Box C" -"Priority Mail Regional Rate Box C Hold For Pickup","Priority Mail Regional Rate Box C Hold For Pickup" -"First-Class Package Service","First-Class Package Service" -"Priority Mail Express Padded Flat Rate Envelope","Priority Mail Express Padded Flat Rate Envelope" -"Priority Mail Express Padded Flat Rate Envelope Hold For Pickup","Priority Mail Express Padded Flat Rate Envelope Hold For Pickup" -"Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope","Priority Mail Express Sunday/Holiday Delivery Padded Flat Rate Envelope" -"Priority Mail Express International","Priority Mail Express International" -"Priority Mail International","Priority Mail International" -"Global Express Guaranteed (GXG)","Global Express Guaranteed (GXG)" -"Global Express Guaranteed Document","Global Express Guaranteed Document" -"Global Express Guaranteed Non-Document Rectangular","Global Express Guaranteed Non-Document Rectangular" -"Global Express Guaranteed Non-Document Non-Rectangular","Global Express Guaranteed Non-Document Non-Rectangular" -"Priority Mail International Flat Rate Envelope","Priority Mail International Flat Rate Envelope" -"Priority Mail International Medium Flat Rate Box","Priority Mail International Medium Flat Rate Box" -"Priority Mail Express International Flat Rate Envelope","Priority Mail Express International Flat Rate Envelope" -"Priority Mail International Large Flat Rate Box","Priority Mail International Large Flat Rate Box" -"USPS GXG Envelopes","USPS GXG Envelopes" -"First-Class Mail International Letter","First-Class Mail International Letter" -"First-Class Mail International Large Envelope","First-Class Mail International Large Envelope" -"First-Class Package International Service","First-Class Package International Service" -"Priority Mail International Small Flat Rate Box","Priority Mail International Small Flat Rate Box" -"Priority Mail Express International Legal Flat Rate Envelope","Priority Mail Express International Legal Flat Rate Envelope" -"Priority Mail International Gift Card Flat Rate Envelope","Priority Mail International Gift Card Flat Rate Envelope" -"Priority Mail International Window Flat Rate Envelope","Priority Mail International Window Flat Rate Envelope" -"Priority Mail International Small Flat Rate Envelope","Priority Mail International Small Flat Rate Envelope" -"First-Class Mail International Postcard","First-Class Mail International Postcard" -"Priority Mail International Legal Flat Rate Envelope","Priority Mail International Legal Flat Rate Envelope" -"Priority Mail International Padded Flat Rate Envelope","Priority Mail International Padded Flat Rate Envelope" -"Priority Mail International DVD Flat Rate priced box","Priority Mail International DVD Flat Rate priced box" -"Priority Mail International Large Video Flat Rate priced box","Priority Mail International Large Video Flat Rate priced box" -"Priority Mail Express International Flat Rate Boxes","Priority Mail Express International Flat Rate Boxes" -"Priority Mail Express International Padded Flat Rate Envelope","Priority Mail Express International Padded Flat Rate Envelope" -Letter,Letter -Flat,Flat -Parcel,Parcel -"Flat-Rate Box","Flat-Rate Box" -"Flat-Rate Envelope","Flat-Rate Envelope" -Rectangular,Rectangular -Non-rectangular,Non-rectangular -Large,Large -track_summary,track_summary -"Service type does not match","Service type does not match" -Merchandise,Merchandise -Gift,Gift -Other,Other -Container,Container -Debug,Debug -"Gateway URL","Gateway URL" -"Enabled for Checkout","Enabled for Checkout" -"Calculate Handling Fee","Calculate Handling Fee" -"Handling Applied","Handling Applied" -"Handling Fee","Handling Fee" -"Allowed Methods","Allowed Methods" -"Displayed Error Message","Displayed Error Message" -"Free Method","Free Method" -"Free Shipping Amount Threshold","Free Shipping Amount Threshold" -"Ship to Applicable Countries","Ship to Applicable Countries" -"Ship to Specific Countries","Ship to Specific Countries" -"Show Method if Not Applicable","Show Method if Not Applicable" -"Packages Request Type","Packages Request Type" -"Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)","Maximum Package Weight (Please consult your shipping carrier for maximum supported shipping weight)" -USPS,USPS -"Secure Gateway URL","Secure Gateway URL" -Machinable,Machinable diff --git a/app/code/Magento/Variable/i18n/de_DE.csv b/app/code/Magento/Variable/i18n/de_DE.csv deleted file mode 100644 index 5b82c65d44622..0000000000000 --- a/app/code/Magento/Variable/i18n/de_DE.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables","Angepasste Variablen" -"Variable Code must be unique.","Variabler Code muß eindeutig sein." -"Validation has failed.","Prüfung fehlgeschlagen." -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Variable/i18n/es_ES.csv b/app/code/Magento/Variable/i18n/es_ES.csv deleted file mode 100644 index a17a926b175fc..0000000000000 --- a/app/code/Magento/Variable/i18n/es_ES.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables","Variables personalizadas" -"Variable Code must be unique.","El código de variable debe ser único." -"Validation has failed.","Falló la validación." -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Variable/i18n/fr_FR.csv b/app/code/Magento/Variable/i18n/fr_FR.csv deleted file mode 100644 index 8f14328226eb3..0000000000000 --- a/app/code/Magento/Variable/i18n/fr_FR.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables","Variables sur mesure" -"Variable Code must be unique.","La variable code doit être unique." -"Validation has failed.","Validation a échouée" -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Variable/i18n/nl_NL.csv b/app/code/Magento/Variable/i18n/nl_NL.csv deleted file mode 100644 index e16b8d4192b1b..0000000000000 --- a/app/code/Magento/Variable/i18n/nl_NL.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables","Aangepaste variabelen" -"Variable Code must be unique.","Variabele Code moet uniek zijn." -"Validation has failed.","Validatie is mislukt." -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Variable/i18n/pt_BR.csv b/app/code/Magento/Variable/i18n/pt_BR.csv deleted file mode 100644 index e073700f36435..0000000000000 --- a/app/code/Magento/Variable/i18n/pt_BR.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables","Variáveis de Personalização." -"Variable Code must be unique.","Código da Variável deve ser único." -"Validation has failed.","Validação falhou." -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Variable/i18n/zh_Hans_CN.csv b/app/code/Magento/Variable/i18n/zh_Hans_CN.csv deleted file mode 100644 index b690819a8319d..0000000000000 --- a/app/code/Magento/Variable/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,4 +0,0 @@ -"Custom Variables",自定义变量 -"Variable Code must be unique.",变量代码必须是唯一的。 -"Validation has failed.",验证失败。 -"Insert Variable...","Insert Variable..." diff --git a/app/code/Magento/Webapi/i18n/de_DE.csv b/app/code/Magento/Webapi/i18n/de_DE.csv deleted file mode 100644 index ab5001bdee4ac..0000000000000 --- a/app/code/Magento/Webapi/i18n/de_DE.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.","Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Webapi/i18n/es_ES.csv b/app/code/Magento/Webapi/i18n/es_ES.csv deleted file mode 100644 index 83b5ca4338967..0000000000000 --- a/app/code/Magento/Webapi/i18n/es_ES.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.", "Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Webapi/i18n/fr_FR.csv b/app/code/Magento/Webapi/i18n/fr_FR.csv deleted file mode 100644 index 83b5ca4338967..0000000000000 --- a/app/code/Magento/Webapi/i18n/fr_FR.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.", "Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Webapi/i18n/nl_NL.csv b/app/code/Magento/Webapi/i18n/nl_NL.csv deleted file mode 100644 index 83b5ca4338967..0000000000000 --- a/app/code/Magento/Webapi/i18n/nl_NL.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.", "Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Webapi/i18n/pt_BR.csv b/app/code/Magento/Webapi/i18n/pt_BR.csv deleted file mode 100644 index 83b5ca4338967..0000000000000 --- a/app/code/Magento/Webapi/i18n/pt_BR.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.", "Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Webapi/i18n/zh_Hans_CN.csv b/app/code/Magento/Webapi/i18n/zh_Hans_CN.csv deleted file mode 100644 index 83b5ca4338967..0000000000000 --- a/app/code/Magento/Webapi/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,34 +0,0 @@ -All,All -Custom,Custom -"Resource Access","Resource Access" -Resources,Resources -API,API -"Internal Error. Details are available in Magento log file. Report ID: %1","Internal Error. Details are available in Magento log file. Report ID: %1" -"Server internal error. See details in report api/%1","Server internal error. See details in report api/%1" -"Magento is not yet installed","Magento is not yet installed" -"Operation allowed only in HTTPS","Operation allowed only in HTTPS" -"Content-Type header is empty.","Content-Type header is empty." -"Content-Type header is invalid.","Content-Type header is invalid." -"UTF-8 is the only supported charset.","UTF-8 is the only supported charset." -"Request method is invalid.","Request method is invalid." -"Decoding error.","Decoding error." -"Decoding error: %1%2%3%4","Decoding error: %1%2%3%4" -"Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer.", "Server cannot match any of the given Accept HTTP header media type(s) from the request: "%1 with media types from the config of response renderer." -"Request does not match any route.","Request does not match any route." -"Not allowed parameters: %1. Please use only %2 and %3.","Not allowed parameters: %1. Please use only %2 and %3." -"Incorrect format of WSDL request URI or Requested services are missing.","Incorrect format of WSDL request URI or Requested services are missing." -"Operation ""%1"" not found.","Operation ""%1"" not found." -"Requested service is not available: ""%1""","Requested service is not available: ""%1""" -"Invalid XML","Invalid XML" -"Invalid XML: Detected use of illegal DOCTYPE","Invalid XML: Detected use of illegal DOCTYPE" -"No permissions requested","No permissions requested" -"Available APIs","Available APIs" -"Magento Web API","Magento Web API" -"SOAP Settings","SOAP Settings" -"Default Response Charset","Default Response Charset" -"If empty, UTF-8 will be used.","If empty, UTF-8 will be used." -"Enable WSDL Cache","Enable WSDL Cache" -"Web Services Configuration","Web Services Configuration" -"REST and SOAP configurations, generated WSDL file.","REST and SOAP configurations, generated WSDL file." -"Integrations API Configuration","Integrations API Configuration" -"Integrations API configuration file.","Integrations API configuration file." diff --git a/app/code/Magento/Weee/i18n/de_DE.csv b/app/code/Magento/Weee/i18n/de_DE.csv deleted file mode 100644 index 5c64ff992a1fa..0000000000000 --- a/app/code/Magento/Weee/i18n/de_DE.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites","Alle Webseiten" -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","Lediglich einschließlich FPT" -"Including FPT and FPT description","Einschließlich FPT und FPT-Beschreibung" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","Ausschließlich FPT" -"Fixed Product Tax","Feste Produktsteuer" -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Weee/i18n/es_ES.csv b/app/code/Magento/Weee/i18n/es_ES.csv deleted file mode 100644 index 967e9d55c1650..0000000000000 --- a/app/code/Magento/Weee/i18n/es_ES.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites","Todos los Sitios Web" -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","Incluir sólo FPT" -"Including FPT and FPT description","Inlcuir impuestos y descripción de los impuestos" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","FPT no incluido" -"Fixed Product Tax","Impuesto fijo del producto" -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Weee/i18n/fr_FR.csv b/app/code/Magento/Weee/i18n/fr_FR.csv deleted file mode 100644 index 3361b7bc238a1..0000000000000 --- a/app/code/Magento/Weee/i18n/fr_FR.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites","Tous les sites web" -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","Inclure uniquement les taxes sur les produits fixes" -"Including FPT and FPT description","Inclure les taxes sur les produits fixes et leur description" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","Exclure les taxes sur les produits fixes" -"Fixed Product Tax","Taxe sur le produit fixe" -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Weee/i18n/nl_NL.csv b/app/code/Magento/Weee/i18n/nl_NL.csv deleted file mode 100644 index b21a8574d6dd2..0000000000000 --- a/app/code/Magento/Weee/i18n/nl_NL.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites","Alle Websites" -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","Inclusief alleen FPT" -"Including FPT and FPT description","Inclusief FPT en FPT omschrijving" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","Met uitzondering van FPT" -"Fixed Product Tax","Vaste Product Belasting" -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Weee/i18n/pt_BR.csv b/app/code/Magento/Weee/i18n/pt_BR.csv deleted file mode 100644 index 881b6fe4a60af..0000000000000 --- a/app/code/Magento/Weee/i18n/pt_BR.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites","Todos os sites" -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","Incluindo somente FPT" -"Including FPT and FPT description","Incluindo FPT e descrição de FPT" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","Excluindo FPT" -"Fixed Product Tax","Imposto fixo do produto" -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Weee/i18n/zh_Hans_CN.csv b/app/code/Magento/Weee/i18n/zh_Hans_CN.csv deleted file mode 100644 index 55878a66c3ffb..0000000000000 --- a/app/code/Magento/Weee/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,22 +0,0 @@ -Action,Action -Tax,Tax -Website,Website -"All Websites",所有网站 -"Add Tax","Add Tax" -"Delete Tax","Delete Tax" -"We found a duplicate of website, country and state fields for a fixed product tax","We found a duplicate of website, country and state fields for a fixed product tax" -"Including FPT only","仅包含 FPT" -"Including FPT and FPT description","包含 FPT 和 FPT 描述" -"Excluding FPT. Including FPT description and final price","Excluding FPT. Including FPT description and final price" -"Excluding FPT","不包含 FPT" -"Fixed Product Tax",固定产品税费 -Country/State,Country/State -"Fixed Product Taxes","Fixed Product Taxes" -"Enable FPT","Enable FPT" -"Display Prices In Product Lists","Display Prices In Product Lists" -"Display Prices On Product View Page","Display Prices On Product View Page" -"Display Prices In Sales Modules","Display Prices In Sales Modules" -"Display Prices In Emails","Display Prices In Emails" -"Apply Tax To FPT","Apply Tax To FPT" -"Include FPT In Subtotal","Include FPT In Subtotal" -"FPT","FPT" diff --git a/app/code/Magento/Widget/i18n/de_DE.csv b/app/code/Magento/Widget/i18n/de_DE.csv deleted file mode 100644 index e736e4f6ba068..0000000000000 --- a/app/code/Magento/Widget/i18n/de_DE.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,Alle -Close,Schließen -Products,Produkte -Apply,Anwenden -"Design Theme","Design Theme" -"-- Please Select --","-- Bitte auswählen --" -"Sort Order",Sortierreihenfolge -"Save and Continue Edit","Speichern und Bearbeitung fortsetzen" -Type,Typ -Page,Seite -label,label -"Frontend Properties",Oberflächeneigenschaften -Categories,Kategorien -name,name -Continue,Fortsetzen -CMS,CMS -%1,%1 -"Open Chooser","Chooser öffnen (Auswählfunktion öffnen)" -Settings,Einstellungen -Template,Vorlage -"Not Selected","Nicht ausgewählt" -"Widget Insertion",Widget-Einbindung -"Insert Widget","Widgt einfügen" -Choose...,Auswählen... -Widget,Widget -"Widget Type",Widget-Typ -"Manage Widget Instances","Widget-Instanzen verwalten" -"Add New Widget Instance","Neue Widget-Instanz hinzufügen" -"Widget ""%1""","Widget ""%1""" -"New Widget Instance","Neue Widget-Instanz" -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme",Design-Paket/Theme -"Widget Instance Title",Widget-Instanz-Titel -"Assign to Store Views","Zu Shopansichten zuweisen" -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates",Layout-Updates -"Anchor Categories",Grundkategorien -"Non-Anchor Categories","nicht grundlegende Kategorien" -"All Product Types","Alle Produkttypen" -"Generic Pages","Generische Seiten" -"All Pages","Alle Seiten" -"Specified Page","Bestimmte Seite" -"Add Layout Update","Layout-Update hinzufügen" -"Remove Layout Update","Layout-Update entfernen" -"Widget Options",Widget-Optionen -"Widget Instance",Widget-Instanz -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.","Die Widget-Instanz wurde gespeichert." -"The widget instance has been deleted.","Die Widget-Instanz wurde gelöscht." -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID",Widget-ID diff --git a/app/code/Magento/Widget/i18n/es_ES.csv b/app/code/Magento/Widget/i18n/es_ES.csv deleted file mode 100644 index 04c5035a17026..0000000000000 --- a/app/code/Magento/Widget/i18n/es_ES.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,Todo -Close,Cerrar -Products,Productos -Apply,Confirmar -"Design Theme","Design Theme" -"-- Please Select --","-- Seleccionar, por favor --" -"Sort Order","Ordenar Pedido" -"Save and Continue Edit","Guardar y continuar editando" -Type,Tipo -Page,Página -label,label -"Frontend Properties","Propiedades del frontend" -Categories,Categorías -name,name -Continue,Continuar -CMS,CMS -%1,%1 -"Open Chooser","Abrir el buscador" -Settings,Configuración -Template,Plantilla -"Not Selected","No seleccionado" -"Widget Insertion","Inserción del widget" -"Insert Widget","Insertar aplicación" -Choose...,Elegir... -Widget,Aplicación -"Widget Type","Tipo de aplicación" -"Manage Widget Instances","Administrar instancias de aplicación" -"Add New Widget Instance","Agregar nueva instancia de aplicación" -"Widget ""%1""","Widget ""%1""" -"New Widget Instance","Nueva instancia de aplicación" -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme","Diseñar paquete/tema" -"Widget Instance Title","Título de instancia de aplicación" -"Assign to Store Views","Asignar a vistas de tienda" -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates","Actualizaciones de diseño" -"Anchor Categories","Categorías de ancla" -"Non-Anchor Categories","Categorías no de ancla" -"All Product Types","Todos los tipos de productos" -"Generic Pages","Páginas genéricas" -"All Pages","Todas las páginas" -"Specified Page","Página especificada" -"Add Layout Update","Agregar actualización de diseño" -"Remove Layout Update","Eliminar actualización de diseño" -"Widget Options","Opciones de aplicación" -"Widget Instance","Instancia de aplicación" -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.","Se guardó la instancia de aplicación." -"The widget instance has been deleted.","Se eliminó la instancia de aplicación." -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID","ID de aplicación" diff --git a/app/code/Magento/Widget/i18n/fr_FR.csv b/app/code/Magento/Widget/i18n/fr_FR.csv deleted file mode 100644 index e2fd8ac8bcffd..0000000000000 --- a/app/code/Magento/Widget/i18n/fr_FR.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,Tous -Close,Fermer -Products,Produits -Apply,Appliquer -"Design Theme","Design Theme" -"-- Please Select --","-- Veuillez sélectionner --" -"Sort Order","Trier les widgets" -"Save and Continue Edit","Sauvegarder et continuer l'édition" -Type,Type -Page,Page -label,label -"Frontend Properties","Propriétés de l'interface" -Categories,Catégories -name,name -Continue,Continuer -CMS,CMS -%1,%1 -"Open Chooser","Ouvrir le sélecteur" -Settings,Options -Template,"Modèle visuel" -"Not Selected","Non sélectionné" -"Widget Insertion","Insertion de widgets " -"Insert Widget","Insérer un widget" -Choose...,Choisir -Widget,Widget -"Widget Type","Type de widget" -"Manage Widget Instances","Gérer les widgets lancés" -"Add New Widget Instance","Ajouter un nouveau widget" -"Widget ""%1""","Widget ""%1""" -"New Widget Instance","Nouveau widget" -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme","Thème visuel" -"Widget Instance Title","Titre du widget" -"Assign to Store Views","Assigner aux vues de la boutique" -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates","Mise à jour de la disposition" -"Anchor Categories","Catégories fixes" -"Non-Anchor Categories","Catégories non fixes" -"All Product Types","Tous les types de produits" -"Generic Pages","Pages génériques" -"All Pages","Toutes les pages" -"Specified Page","Page spécifiée" -"Add Layout Update","Ajouter une mise à jour" -"Remove Layout Update","Supprimer la mise à jour de la disposition" -"Widget Options","Options des widgets" -"Widget Instance",Widget -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.","Ce widget a été sauvegardé." -"The widget instance has been deleted.","Ce widget a été supprimé." -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID","Identifiant du widget" diff --git a/app/code/Magento/Widget/i18n/nl_NL.csv b/app/code/Magento/Widget/i18n/nl_NL.csv deleted file mode 100644 index 5011af0fe5c2e..0000000000000 --- a/app/code/Magento/Widget/i18n/nl_NL.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,Alles -Close,Sluiten -Products,Producten -Apply,Toepassen -"Design Theme","Design Theme" -"-- Please Select --","-- Selecteer alstublieft --" -"Sort Order","Sorteer Bestelling" -"Save and Continue Edit","Opslaan en doorgaan met bewerken" -Type,Type -Page,Pagina -label,label -"Frontend Properties","Front end Eigenschappen" -Categories,Categoriën -name,name -Continue,Doorgaan -CMS,CMS -%1,%1 -"Open Chooser","Open Kiezer" -Settings,Instellingen -Template,Sjabloon -"Not Selected","Niet Geselecteerd" -"Widget Insertion","Widget Invoeging" -"Insert Widget","Voeg Widget in" -Choose...,Kies... -Widget,Widget -"Widget Type","Widget type" -"Manage Widget Instances","Beheer Widget Gevallen" -"Add New Widget Instance","Voeg Nieuwe Widgets toe" -"Widget ""%1""","Widget ""%1""" -"New Widget Instance","Nieuw Widget Voorbeeld" -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme","Ontwerp Pakket/Thema" -"Widget Instance Title","Widget instantie titel" -"Assign to Store Views","Wijs toe aan Store Views" -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates","Lay-out Updates" -"Anchor Categories","Anker Categorieën" -"Non-Anchor Categories","Niet-Verankerde Categorieën" -"All Product Types","Alle Product Types" -"Generic Pages","Generieke Pagina's" -"All Pages","Alle pagina's" -"Specified Page","Specifieke Pagina" -"Add Layout Update","Voeg Update Layout toe" -"Remove Layout Update","Verwijder Lay-out Update" -"Widget Options","Widget opties" -"Widget Instance","Widget instantie" -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.","De widget instantie is opgeslagen." -"The widget instance has been deleted.","De widget instantie is verwijderd." -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID","Widget ID" diff --git a/app/code/Magento/Widget/i18n/pt_BR.csv b/app/code/Magento/Widget/i18n/pt_BR.csv deleted file mode 100644 index 99b30655049cd..0000000000000 --- a/app/code/Magento/Widget/i18n/pt_BR.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,Todos -Close,Fechar -Products,Produtos -Apply,Solicitar -"Design Theme","Design Theme" -"-- Please Select --","- Por Favor Selecione -" -"Sort Order","Classificar pedido" -"Save and Continue Edit","Salvar e continuar a editar" -Type,Tipo -Page,Página -label,label -"Frontend Properties","Propriedades de interface inicial" -Categories,Categorias -name,name -Continue,Continue -CMS,SGC -%1,%1 -"Open Chooser","Abrir Seletor" -Settings,Configurações -Template,Modelo -"Not Selected","Não selecionado" -"Widget Insertion","Inserção de Widget" -"Insert Widget","Inserir Widget" -Choose...,Escolha... -Widget,Widget -"Widget Type","Widget Tipo" -"Manage Widget Instances","Gerenciar exemplos de widget" -"Add New Widget Instance","Adicionar Novo Exemplo de Widget" -"Widget ""%1""","Widget ""%1""" -"New Widget Instance","Novo exemplo de Widget" -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme","Pacote de Design/Tema" -"Widget Instance Title","Widget Exemplo Título" -"Assign to Store Views","Atribuir a visualizações da loja" -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates","Atualizações de layout" -"Anchor Categories","Categorias Âncora" -"Non-Anchor Categories","Categorias Não-Âncoras" -"All Product Types","Todos Tipos de Produtos" -"Generic Pages","Páginas genéricas" -"All Pages","Todas as Páginas" -"Specified Page","Página especificada" -"Add Layout Update","Adicionar Atualização de Layout" -"Remove Layout Update","Remover atualização do layout" -"Widget Options","Widget Opções" -"Widget Instance","Widget Exemplo" -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.","O exemplo de widget foi salvo." -"The widget instance has been deleted.","O exemplo de widget foi deletado." -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID","ID do Widget" diff --git a/app/code/Magento/Widget/i18n/zh_Hans_CN.csv b/app/code/Magento/Widget/i18n/zh_Hans_CN.csv deleted file mode 100644 index 4827ad3c0b62c..0000000000000 --- a/app/code/Magento/Widget/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,59 +0,0 @@ -All,全部 -Close,关闭 -Products,产品 -Apply,应用 -"Design Theme","Design Theme" -"-- Please Select --","-- 请选择 --" -"Sort Order",排序顺序 -"Save and Continue Edit",保存并继续编辑 -Type,类型 -Page,页面 -label,label -"Frontend Properties",前端属性 -Categories,分类 -name,name -Continue,继续 -CMS,CMS -%1,%1 -"Open Chooser",打开选择器 -Settings,设置 -Template,模板 -"Not Selected",非所选 -"Widget Insertion",小工具插入 -"Insert Widget",插入小工具 -Choose...,选择... -Widget,小工具 -"Widget Type",小工具类型 -"Manage Widget Instances",管理小工具实例 -"Add New Widget Instance",添加新小工具实例 -"Widget ""%1""","Widget ""%1""" -"New Widget Instance",新小工具实例 -"Custom Layouts","Custom Layouts" -"Page Layouts","Page Layouts" -"Please Select Container First","Please Select Container First" -"Design Package/Theme","设计 包裹/主题" -"Widget Instance Title",小工具实例标题 -"Assign to Store Views",分配到店铺视图 -"Sort Order of widget instances in the same container","Sort Order of widget instances in the same container" -"Layout Updates",布局更新 -"Anchor Categories",锚点分类 -"Non-Anchor Categories",非锚点分类 -"All Product Types",所有产品类型 -"Generic Pages",通用页面 -"All Pages",所有页面 -"Specified Page",指定的页面 -"Add Layout Update",添加布局更新 -"Remove Layout Update",删除布局更新 -"Widget Options",小工具选项 -"Widget Instance",小工具实例 -"Please specify a Widget Type.","Please specify a Widget Type." -"Widgets","Widgets" -"Please specify a correct widget.","Please specify a correct widget." -"New Widget","New Widget" -"The widget instance has been saved.",该小工具实例已被保存。 -"The widget instance has been deleted.",该小工具实例已被删除。 -description,description -"We cannot create the widget instance because it is missing required information.","We cannot create the widget instance because it is missing required information." -Container,Container -"Specific %1","Specific %1" -"Widget ID",小工具ID diff --git a/app/code/Magento/Wishlist/i18n/de_DE.csv b/app/code/Magento/Wishlist/i18n/de_DE.csv deleted file mode 100644 index 23cf75b5751db..0000000000000 --- a/app/code/Magento/Wishlist/i18n/de_DE.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,Zurück -Product Name,Produkt -Quantity,Quantity -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Action -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,Bearbeiten -"Remove item","Artikel löschen" -"Add to Cart","Zum Warenkorb hinzufügen" -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields","* Notwendige Felder" -Availability,Availability -"In stock","Auf Lager" -"Out of stock","Nicht lieferbar" -"Click for price","Klicken für den Preis" -"What's this?","Was ist das?" -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist","Zum Wunschzettel hinzufügen" -"Remove This Item","Dieses Objekt entfernen" -"Add to Compare","Zum Vergleich hinzufügen" -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details","Details anzeigen" -"Options Details","Optionen Details" -Comment,Kommentar -"Add Locale","Hinzugefügt von" -"Add Date","Datum hinzugefügt" -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,Nachricht -"Email Template","Email Template" -"Remove Item","Objekt entfernen" -"Sharing Information",Sharing-Information -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.","Bitte geben Sie eine gültige E-Mail-Adresse ein." -"RSS Feed",RSS-Feed -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist","Artikel kann nicht aus Wunschliste gelöscht werden" -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart","Kann Objekt nicht zum Warenkorb hinzufügen" -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.","E-Mail-Adressfeld darf nicht leer sein." -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.","Kann Produkt nicht bestimmen." -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart","Alle zum Warenkorb hinzufügen" -"Update Wish List","Update Wish List" -"View Product","Produkt anzeigen" -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas","E-Mail-Adressen, durch Komma getrennt" -"Check this checkbox if you want to add a link to an rss feed to your wishlist.","Dieses Kästchen aktivieren, wenn Sie einen RSS-Feed-Link zu Ihrem Wunschzettel hinzufügen möchten." -"Share Wishlist","Wunschzettel teilen" -"Last Added Items","Zuletzt hinzugefügte Objekte" -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?","Sind Sie sicher, dass Sie dieses Produkt von Ihrem Wunschzettel entfernen möchten?" -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description","Anwender Beschreibung" -"Product Details and Comment","Produktangaben und Kommentare" diff --git a/app/code/Magento/Wishlist/i18n/es_ES.csv b/app/code/Magento/Wishlist/i18n/es_ES.csv deleted file mode 100644 index e811032517e7c..0000000000000 --- a/app/code/Magento/Wishlist/i18n/es_ES.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,Volver -Product Name,Producto -Quantity,Quantity -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Action -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,Editar -"Remove item","Eliminar artículo" -"Add to Cart","Añadir al Carrito" -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields","* Campos Requeridos" -Availability,Availability -"In stock","En existencias" -"Out of stock",Agotado -"Click for price","Clic para precio" -"What's this?","¿Qué es esto?" -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist","Añadir a lista que quieres." -"Remove This Item","Eliminar Este Artículo" -"Add to Compare","Agregar para comparar" -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details","Ver detalles" -"Options Details","Detalles de las opciones" -Comment,Comentario -"Add Locale","Agregar desde" -"Add Date","Fecha de subida" -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,Mensaje -"Email Template","Email Template" -"Remove Item","Eliminar elemento" -"Sharing Information","Compartiendo Información" -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.","Por favor, introducir una dirección de email válida." -"RSS Feed","Fuente RSS" -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist","No se puede eliminar el artículo de la lista de la compra" -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart","No se pudo añadir el artículo al carrito de compra" -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.","El campo Dirección de correo electrónico no puede estar vacío." -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.","No se pudo especificar producto." -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart","Añadir Todo al Carrito" -"Update Wish List","Update Wish List" -"View Product","Vista del producto" -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas","Direcciones de correo electrónico, separadas por comas" -"Check this checkbox if you want to add a link to an rss feed to your wishlist.","Marque esta casilla si desea añadir a su lista un enlace a una fuente RSS." -"Share Wishlist","Compartir Lista de Deseos" -"Last Added Items","Últimos elementos añadidos" -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?","¿Está seguro que desea retirar este producto de su lista de deseos?" -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description","Descripción del usuario" -"Product Details and Comment","Detalles del producto y comentarios" diff --git a/app/code/Magento/Wishlist/i18n/fr_FR.csv b/app/code/Magento/Wishlist/i18n/fr_FR.csv deleted file mode 100644 index 23d53490578b6..0000000000000 --- a/app/code/Magento/Wishlist/i18n/fr_FR.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,Retour -Product Name,Produit -Quantity,Quantity -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Action -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,Éditer -"Remove item","Supprimer l'objet" -"Add to Cart","Ajouter au caddy" -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields","* Champs requis" -Availability,Availability -"In stock","En stock" -"Out of stock","Pas en stock" -"Click for price","Cliquez pour le prix" -"What's this?","Qu'est-ce ?" -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist","Ajouter à liste de vœux" -"Remove This Item","Enlever cet article" -"Add to Compare","Ajouter pour comparer" -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details","Vue détails" -"Options Details","Informations options" -Comment,Commentaires -"Add Locale","Formulaire ajouté" -"Add Date","Date ajoutée" -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,Message -"Email Template","Email Template" -"Remove Item","Enlever article" -"Sharing Information","Partager infos" -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.","Veuillez entrer une adresse courriel valide." -"RSS Feed","Flux RSS" -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist","Impossible de supprimer l'article de la liste de souhaits." -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart","Ne peut ajouter l'article au caddy" -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.","Adresse courriel ne peut être vide." -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.","Ne peut spécifier produit." -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart","Tout ajouter au caddy" -"Update Wish List","Update Wish List" -"View Product","Voir produit" -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas","Adresses courriel, séparées par virgules" -"Check this checkbox if you want to add a link to an rss feed to your wishlist.","Cochez cette case si vous voulez ajouter un lien vers un flux rss à votre liste de vœux." -"Share Wishlist","Partager liste de vœux" -"Last Added Items","Derniers articles ajoutés" -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?","Êtes-vous sûr(e) de vouloir enlever ce produit de votre liste de vœux?" -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description","Description utilisateur" -"Product Details and Comment","Détails et commentaires sur le produit" diff --git a/app/code/Magento/Wishlist/i18n/nl_NL.csv b/app/code/Magento/Wishlist/i18n/nl_NL.csv deleted file mode 100644 index d72bfd19d242d..0000000000000 --- a/app/code/Magento/Wishlist/i18n/nl_NL.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,Terug -Product Name,Product -Quantity,Quantity -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Action -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,Bewerken -"Remove item","Verwijder artikel" -"Add to Cart","Aan mandje toevoegen" -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields","* Vereiste velden" -Availability,Availability -"In stock","In voorraad" -"Out of stock","Uit voorraad" -"Click for price","Klik voor de prijs" -"What's this?","Wat is dit?" -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist","Aan verlanglijst toevoegen" -"Remove This Item","Verwijder Dit Item" -"Add to Compare","Voeg toe om te Vergelijken" -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details","Details bekijken" -"Options Details","Instellingen Details" -Comment,Commentaar -"Add Locale","Toegevoegd Vanuit" -"Add Date","Datum Toegevoegd" -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,Boodschap -"Email Template","Email Template" -"Remove Item","Artikel verwijderen" -"Sharing Information","Informatie over Delen" -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.","Voer alstublieft een geldig email adres in." -"RSS Feed","RSS Feed" -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist","Kan het item niet verwijderen van het verlanglijstje" -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart","Kan het item niet toevoegen aan het winkelwagentje" -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.","E-mailadres mag niet leeg zijn." -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.","Kan Product Niet Specificeren." -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart","Voeg Alles Toe aan Winkelwagentje" -"Update Wish List","Update Wish List" -"View Product","Product Bekijken" -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas","E-mailadressen, gedeeld door komma's" -"Check this checkbox if you want to add a link to an rss feed to your wishlist.","Klik op deze checkbox als u een link naar een RSS feed aan uw wensenlijst wilt toevoegen." -"Share Wishlist","Deel Verlanglijstje" -"Last Added Items","Laatst Toegevoegde Items" -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?","Weet u zeker dat u dit product wilt verwijderen van uw verlanglijstje?" -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description","Gebruikers beschrijving" -"Product Details and Comment","Product Details en het Commentaar" diff --git a/app/code/Magento/Wishlist/i18n/pt_BR.csv b/app/code/Magento/Wishlist/i18n/pt_BR.csv deleted file mode 100644 index 4c130bd89b6a9..0000000000000 --- a/app/code/Magento/Wishlist/i18n/pt_BR.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,Voltar -Product Name,Produto -Quantity,Quant. -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Ação -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,Editar -"Remove item","Remover item" -"Add to Cart","Adicionar ao carrinho" -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields","* Campos obrigatórios" -Availability,Availability -"In stock","Em estoque" -"Out of stock","Fora de estoque" -"Click for price","Clique para o preço" -"What's this?","O que é isso?" -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist","Adicionar à Lista de Desejos" -"Remove This Item","Remover Este Item" -"Add to Compare","Adicionar para Comparar" -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details","Visualizar Detalhes" -"Options Details","Detalhes de opções" -Comment,Comentário -"Add Locale","Adicionado De" -"Add Date","Data de Adição" -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,Mensagem -"Email Template","Email Template" -"Remove Item","Remover Item" -"Sharing Information","Compartilhando Informação" -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.","Por favor coloque um email válido." -"RSS Feed","Lista RSS" -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist","Não é possível excluir item da lista de desejos" -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart","Não é possível adicionar item ao carrinho de compras" -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.","O endereço de email não pode ficar vazio." -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.","Não é possível especificar produto." -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart","Adicione Todos ao Carrinho de Compras" -"Update Wish List","Update Wish List" -"View Product","Ver Produto" -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas","Endereços de email, separados por vírgulas" -"Check this checkbox if you want to add a link to an rss feed to your wishlist.","Checar esta caixa de verificação se você quiser adicionar um link a um feed rss para sua Lista de Desejos." -"Share Wishlist","Compartilhar Lista de Desejos" -"Last Added Items","Últimos itens adicionados" -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?","Tem certeza de que deseja remover este produto da sua lista de desejos?" -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description","Descrição do usuário" -"Product Details and Comment","Detalhes de produto e comentários" diff --git a/app/code/Magento/Wishlist/i18n/zh_Hans_CN.csv b/app/code/Magento/Wishlist/i18n/zh_Hans_CN.csv deleted file mode 100644 index 12caf10849a5a..0000000000000 --- a/app/code/Magento/Wishlist/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,105 +0,0 @@ -Back,返回 -Product Name,产品 -Quantity,Quantity -Configure,Configure -"You added %1 to your shopping cart.","You added %1 to your shopping cart." -Action,Action -"Are you sure that you want to remove this item?","Are you sure that you want to remove this item?" -Edit,编辑 -"Remove item",删除项目 -"Add to Cart",添加到购物车 -Delete,Delete -Enabled,Enabled -"We cannot add this item to your shopping cart.","We cannot add this item to your shopping cart." -"* Required Fields",*必要字段 -Availability,Availability -"In stock",现货 -"Out of stock",缺货 -"Click for price",单击获取价格 -"What's this?",这是什么? -"1 item","1 item" -"%1 items","%1 items" -"Add to Wishlist",添加到收藏 -"Remove This Item",删除该内容 -"Add to Compare",添加并比较 -"The product does not exist.","The product does not exist." -"Display item quantities","Display item quantities" -"View Details",查看详情 -"Options Details",选项详情 -Comment,评论 -"Add Locale",已添加,来自 -"Add Date",添加日期 -"Days in Wish List","Days in Wish List" -Wishlist,Wishlist -"Wish List","Wish List" -Message,信息 -"Email Template","Email Template" -"Remove Item",删除项目 -"Sharing Information",分享信息 -"This product(s) is out of stock.","This product(s) is out of stock." -"An item option with code %1 already exists.","An item option with code %1 already exists." -"%1's Wish List","%1's Wish List" -"Product(s) %1 have required options. Each product can only be added individually.","Product(s) %1 have required options. Each product can only be added individually." -"%1 product(s) have been added to shopping cart: %2.","%1 product(s) have been added to shopping cart: %2." -"Please input a valid email address.",请输入有效电子邮件地址。 -"RSS Feed",RSS源 -"Wish List Sharing","Wish List Sharing" -"My Wish List","My Wish List" -"%1 for ""%2"".","%1 for ""%2""." -"We couldn't add the following product(s) to the shopping cart: %1.","We couldn't add the following product(s) to the shopping cart: %1." -"We can't update wish list.","We can't update wish list." -"The requested wish list doesn't exist.","The requested wish list doesn't exist." -"Wish List could not be created.","Wish List could not be created." -"We can't specify a product.","We can't specify a product." -"%1 has been added to your wishlist. Click here to continue shopping.","%1 has been added to your wishlist. Click here to continue shopping." -"An error occurred while adding item to wish list: %1","An error occurred while adding item to wish list: %1" -"An error occurred while adding item to wish list.","An error occurred while adding item to wish list." -"We can't load the wish list item.","We can't load the wish list item." -"We can't configure the product.","We can't configure the product." -"%1 has been updated in your wish list.","%1 has been updated in your wish list." -"An error occurred while updating wish list.","An error occurred while updating wish list." -"Can't delete item from wishlist",无法从愿望清单中删除项目 -"Can't save description %1","Can't save description %1" -"Can't update wish list","Can't update wish list" -"An error occurred while deleting the item from wish list: %1","An error occurred while deleting the item from wish list: %1" -"An error occurred while deleting the item from wish list.","An error occurred while deleting the item from wish list." -"Cannot add item to shopping cart",无法添加内容到购物车 -"The requested cart item doesn't exist.","The requested cart item doesn't exist." -"%1 has been moved to your wish list.","%1 has been moved to your wish list." -"We can't move the item to the wish list.","We can't move the item to the wish list." -"Message length must not exceed %1 symbols","Message length must not exceed %1 symbols" -"Email address can't be empty.",邮件地址不能为空。 -"This wishlist can be shared %1 more times.","This wishlist can be shared %1 more times." -"Your wish list has been shared.","Your wish list has been shared." -"Please enter your comments.","Please enter your comments." -"Display number of items in wish list","Display number of items in wish list" -"We can't specify a wish list.","We can't specify a wish list." -"Cannot specify product.",无法指定产品。 -"Invalid item option format.","Invalid item option format." -"We can't specify a wish list item.","We can't specify a wish list item." -"Share Wish List","Share Wish List" -"Add All to Cart",全部添加到购物车 -"Update Wish List","Update Wish List" -"View Product",查看产品 -"RSS link to %1's wishlist","RSS link to %1's wishlist" -"This Wish List has no Items","This Wish List has no Items" -"Wish List is empty now.","Wish List is empty now." -"Email addresses, separated by commas",邮件地址,使用逗号分隔 -"Check this checkbox if you want to add a link to an rss feed to your wishlist.",如果希望将到RSS源的链接添加到您的愿望清单,就选中该选项。 -"Share Wishlist",分享愿望清单 -"Last Added Items",最后添加的内容 -"Go to Wish List","Go to Wish List" -"You have no items in your wish list.","You have no items in your wish list." -"Are you sure you want to remove this product from your wishlist?",您是否确认要从愿望清单中删除该产品? -"Email Sender","Email Sender" -"General Options","General Options" -"Share Options","Share Options" -"Max Emails Allowed to be Sent","Max Emails Allowed to be Sent" -"10 by default. Max - 10000","10 by default. Max - 10000" -"Email Text Length Limit","Email Text Length Limit" -"255 by default","255 by default" -"My Wish List Link","My Wish List Link" -"Display Wish List Summary","Display Wish List Summary" -"No Items Found","No Items Found" -"User Description",用户描述 -"Product Details and Comment",产品详情与评论 diff --git a/app/design/frontend/Magento/blank/i18n/de_DE.csv b/app/design/frontend/Magento/blank/i18n/de_DE.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/de_DE.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/app/design/frontend/Magento/blank/i18n/es_ES.csv b/app/design/frontend/Magento/blank/i18n/es_ES.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/es_ES.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/app/design/frontend/Magento/blank/i18n/fr_FR.csv b/app/design/frontend/Magento/blank/i18n/fr_FR.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/fr_FR.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/app/design/frontend/Magento/blank/i18n/nl_NL.csv b/app/design/frontend/Magento/blank/i18n/nl_NL.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/nl_NL.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/app/design/frontend/Magento/blank/i18n/pt_BR.csv b/app/design/frontend/Magento/blank/i18n/pt_BR.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/pt_BR.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/app/design/frontend/Magento/blank/i18n/zh_Hans_CN.csv b/app/design/frontend/Magento/blank/i18n/zh_Hans_CN.csv deleted file mode 100644 index a982e1632caae..0000000000000 --- a/app/design/frontend/Magento/blank/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1 +0,0 @@ -Summary,Summary diff --git a/lib/web/i18n/de_DE.csv b/lib/web/i18n/de_DE.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/de_DE.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." diff --git a/lib/web/i18n/es_ES.csv b/lib/web/i18n/es_ES.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/es_ES.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." diff --git a/lib/web/i18n/fr_FR.csv b/lib/web/i18n/fr_FR.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/fr_FR.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." diff --git a/lib/web/i18n/nl_NL.csv b/lib/web/i18n/nl_NL.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/nl_NL.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." diff --git a/lib/web/i18n/pt_BR.csv b/lib/web/i18n/pt_BR.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/pt_BR.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." diff --git a/lib/web/i18n/zh_Hans_CN.csv b/lib/web/i18n/zh_Hans_CN.csv deleted file mode 100644 index a7e20aa7ef5f3..0000000000000 --- a/lib/web/i18n/zh_Hans_CN.csv +++ /dev/null @@ -1,20 +0,0 @@ -"Insert Widget...","Insert Widget..." -"No records found.","No records found." -"Recent items","Recent items" -"Show all...","Show all..." -"Method ","Method " -"Please wait...","Please wait..." -Loading...,Loading... -Cancel,Cancel -Save,Save -Translate,Translate -Submit,Submit -Close,Close -"Please enter a value less than or equal to %s.","Please enter a value less than or equal to %s." -"Please enter a value greater than or equal to %s.","Please enter a value greater than or equal to %s." -"Maximum length of this field must be equal or less than %1 symbols.","Maximum length of this field must be equal or less than %1 symbols." -"This is a required field.","This is a required field." -"Please enter a valid year (1900-%1).","Please enter a valid year (1900-%1)." -"Please enter a valid day (1-%1).","Please enter a valid day (1-%1)." -"Please enter a date in the past.","Please enter a date in the past." -"Please enter a date between %min and %max.","Please enter a date between %min and %max." From 1858f723e5ccaab4a3fe474566e86733c8ed7982 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 11:08:36 -0600 Subject: [PATCH 19/27] MAGETWO-44459: Check javascript function calls and labels are translatable - fix formatting error --- .../view/adminhtml/web/js/get-video-information.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js index b83be668e3ddc..b674b90ee4f4d 100644 --- a/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js +++ b/app/code/Magento/ProductVideo/view/adminhtml/web/js/get-video-information.js @@ -403,7 +403,8 @@ require([ errorsMessage.push(tmpError.message); } - return $.mage.__('Video cant be shown due to the following reason: ') + $.unique(errorsMessage).join(', '); + return $.mage.__('Video cant be shown due to the following reason: ') + + $.unique(errorsMessage).join(', '); }; if (data.error && data.error.code === 400) { From 49bac5cfafb2111647c66e5d8970034994dad27d Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 15:03:22 -0600 Subject: [PATCH 20/27] MAGETWO-44275: Some layout xml files doesn't have translations - added translate tags to xml template - added missing checkout phrases to translation files --- app/code/Magento/Catalog/etc/adminhtml/di.xml | 8 ++++---- app/code/Magento/Catalog/etc/di.xml | 4 ++-- app/code/Magento/Catalog/etc/widget.xml | 2 +- app/code/Magento/Checkout/i18n/de_DE.csv | 5 +++++ app/code/Magento/Checkout/i18n/en_US.csv | 5 +++++ app/code/Magento/Checkout/i18n/es_ES.csv | 5 +++++ app/code/Magento/Checkout/i18n/fr_FR.csv | 5 +++++ app/code/Magento/Checkout/i18n/nl_NL.csv | 5 +++++ app/code/Magento/Checkout/i18n/pt_BR.csv | 5 +++++ app/code/Magento/Checkout/i18n/zh_Hans_CN.csv | 5 +++++ 10 files changed, 42 insertions(+), 7 deletions(-) diff --git a/app/code/Magento/Catalog/etc/adminhtml/di.xml b/app/code/Magento/Catalog/etc/adminhtml/di.xml index 07cb5f6b125f6..6321d185f9450 100644 --- a/app/code/Magento/Catalog/etc/adminhtml/di.xml +++ b/app/code/Magento/Catalog/etc/adminhtml/di.xml @@ -16,19 +16,19 @@ - Small + Small small_image - Main + Main image - Thumbnail + Thumbnail thumbnail - Custom image + Custom image custom_image diff --git a/app/code/Magento/Catalog/etc/di.xml b/app/code/Magento/Catalog/etc/di.xml index 3ffee93604698..801f93edb2332 100644 --- a/app/code/Magento/Catalog/etc/di.xml +++ b/app/code/Magento/Catalog/etc/di.xml @@ -118,11 +118,11 @@ container1 - Product Info Column + Product Info Column container2 - Block after Info Column + Block after Info Column diff --git a/app/code/Magento/Catalog/etc/widget.xml b/app/code/Magento/Catalog/etc/widget.xml index 127efb3a4537b..34e5fcc814974 100644 --- a/app/code/Magento/Catalog/etc/widget.xml +++ b/app/code/Magento/Catalog/etc/widget.xml @@ -96,7 +96,7 @@ - Select Product... + Select Product... diff --git a/app/code/Magento/Checkout/i18n/de_DE.csv b/app/code/Magento/Checkout/i18n/de_DE.csv index f604546621d38..df04e14683f67 100644 --- a/app/code/Magento/Checkout/i18n/de_DE.csv +++ b/app/code/Magento/Checkout/i18n/de_DE.csv @@ -177,3 +177,8 @@ Register,Registrieren "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Ihre Bestellung wurde erhalten." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/en_US.csv b/app/code/Magento/Checkout/i18n/en_US.csv index 60b459d0ba9a7..c2c432be4cdc0 100644 --- a/app/code/Magento/Checkout/i18n/en_US.csv +++ b/app/code/Magento/Checkout/i18n/en_US.csv @@ -177,3 +177,8 @@ Register,Register "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Your order has been received." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/es_ES.csv b/app/code/Magento/Checkout/i18n/es_ES.csv index 3c66daf827db3..85bfda0fce594 100644 --- a/app/code/Magento/Checkout/i18n/es_ES.csv +++ b/app/code/Magento/Checkout/i18n/es_ES.csv @@ -177,3 +177,8 @@ Register,Registrarse "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Se recibió su pedido." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/fr_FR.csv b/app/code/Magento/Checkout/i18n/fr_FR.csv index 84f388d8db5a2..dbff2a6c3d591 100644 --- a/app/code/Magento/Checkout/i18n/fr_FR.csv +++ b/app/code/Magento/Checkout/i18n/fr_FR.csv @@ -177,3 +177,8 @@ Register,S'inscrire "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Votre commande a bien été reçue." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/nl_NL.csv b/app/code/Magento/Checkout/i18n/nl_NL.csv index 99e59069beacd..d3303a00878b1 100644 --- a/app/code/Magento/Checkout/i18n/nl_NL.csv +++ b/app/code/Magento/Checkout/i18n/nl_NL.csv @@ -177,3 +177,8 @@ Register,Registreer "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Uw bestelling is ontvangen." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/pt_BR.csv b/app/code/Magento/Checkout/i18n/pt_BR.csv index 3262a6a301b51..64e9e0b5fda16 100644 --- a/app/code/Magento/Checkout/i18n/pt_BR.csv +++ b/app/code/Magento/Checkout/i18n/pt_BR.csv @@ -177,3 +177,8 @@ Register,Registrar "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.","Seu pedido foi recebido." +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" diff --git a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv b/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv index e7d99aa2b4dfc..576dff70d207a 100644 --- a/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv +++ b/app/code/Magento/Checkout/i18n/zh_Hans_CN.csv @@ -177,3 +177,8 @@ Register,注册 "Separate by "","".","Separate by "",""." "Send Payment Failed Email Copy Method","Send Payment Failed Email Copy Method" "Your order has been received.",我们已经收到您的订单。 +"For delivery questions.","For delivery questions." +"You can create an account after checkout.","You can create an account after checkout." +"Not yet calculated","Not yet calculated" +"Order Summary","Order Summary" +"Estimated Total","Estimated Total" From 3318f13283a0013f4aafd26b857fd6da83be239f Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 15:52:07 -0600 Subject: [PATCH 21/27] MAGETWO-44275: Some layout xml files doesn't have translations - added translate tags to xml template --- app/code/Magento/Catalog/etc/widget.xml | 2 +- .../frontend/layout/checkout_cart_index.xml | 6 ++--- .../frontend/layout/checkout_index_index.xml | 22 +++++++++---------- 3 files changed, 15 insertions(+), 15 deletions(-) diff --git a/app/code/Magento/Catalog/etc/widget.xml b/app/code/Magento/Catalog/etc/widget.xml index 34e5fcc814974..d342314a068a1 100644 --- a/app/code/Magento/Catalog/etc/widget.xml +++ b/app/code/Magento/Catalog/etc/widget.xml @@ -135,7 +135,7 @@ - Select Category... + Select Category... diff --git a/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml index 75c80fd010d66..7d0fc8c6ab2f2 100644 --- a/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/Checkout/view/frontend/layout/checkout_cart_index.xml @@ -142,21 +142,21 @@ Magento_Checkout/js/view/summary/subtotal - Subtotal + Subtotal Magento_Checkout/cart/totals/subtotal Magento_Checkout/js/view/cart/totals/shipping - Shipping + Shipping Magento_Checkout/cart/totals/shipping Magento_Checkout/js/view/summary/grand-total - Order Total + Order Total Magento_Checkout/cart/totals/grand-total diff --git a/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml index d63de55391c74..55a900fccc9ff 100644 --- a/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/Checkout/view/frontend/layout/checkout_index_index.xml @@ -104,15 +104,15 @@ popup true true - Shipping Address + Shipping Address opc-new-shipping-address - Save Address + Save Address action primary action-save-address - Cancel + Cancel action secondary action-hide-popup @@ -127,7 +127,7 @@ Magento_Checkout/js/view/form/element/email customer-email - We'll send your order confirmation here. + We'll send your order confirmation here. @@ -231,7 +231,7 @@ - For delivery questions. + For delivery questions. @@ -248,7 +248,7 @@ Magento_Checkout/js/view/payment - Payment + Payment @@ -270,7 +270,7 @@ Magento_Checkout/js/view/form/element/email customer-email - We'll send your order confirmation here. + We'll send your order confirmation here. @@ -358,20 +358,20 @@ Magento_Checkout/js/view/summary/subtotal - Cart Subtotal + Cart Subtotal Magento_Checkout/js/view/summary/shipping - Shipping - Not yet calculated + Shipping + Not yet calculated Magento_Checkout/js/view/summary/grand-total - Order Total + Order Total From 9b7523805347a1377d07cf9133d7e077c55810d8 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 16:33:48 -0600 Subject: [PATCH 22/27] MAGETWO-44275: Some layout xml files doesn't have translations - added translate tags to xml template --- app/code/Magento/Catalog/etc/di.xml | 4 ++-- app/code/Magento/Cms/etc/widget.xml | 4 ++-- .../Magento/Customer/view/base/ui_component/customer_form.xml | 4 ++-- .../SalesRule/view/frontend/layout/checkout_cart_index.xml | 2 +- .../SalesRule/view/frontend/layout/checkout_index_index.xml | 2 +- 5 files changed, 8 insertions(+), 8 deletions(-) diff --git a/app/code/Magento/Catalog/etc/di.xml b/app/code/Magento/Catalog/etc/di.xml index 801f93edb2332..3ffee93604698 100644 --- a/app/code/Magento/Catalog/etc/di.xml +++ b/app/code/Magento/Catalog/etc/di.xml @@ -118,11 +118,11 @@ container1 - Product Info Column + Product Info Column container2 - Block after Info Column + Block after Info Column diff --git a/app/code/Magento/Cms/etc/widget.xml b/app/code/Magento/Cms/etc/widget.xml index 5256c82b8e365..dd21ef501a1fd 100644 --- a/app/code/Magento/Cms/etc/widget.xml +++ b/app/code/Magento/Cms/etc/widget.xml @@ -17,7 +17,7 @@ - Select Page... + Select Page... @@ -52,7 +52,7 @@ - Select Block... + Select Block... diff --git a/app/code/Magento/Customer/view/base/ui_component/customer_form.xml b/app/code/Magento/Customer/view/base/ui_component/customer_form.xml index d03507aba2780..7282b5e188156 100644 --- a/app/code/Magento/Customer/view/base/ui_component/customer_form.xml +++ b/app/code/Magento/Customer/view/base/ui_component/customer_form.xml @@ -102,7 +102,7 @@ http://www.magentocommerce.com/knowledge-base/entry/understanding-store-scopes - If your Magento site has multiple views, you can set the scope to apply to a specific view. + If your Magento site has multiple views, you can set the scope to apply to a specific view. @@ -247,7 +247,7 @@ Magento\Store\Model\System\Store - Send Welcome Email From + Send Welcome Email From number select diff --git a/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml index 43f5d46028d6d..de71cda9db5e9 100644 --- a/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/SalesRule/view/frontend/layout/checkout_cart_index.xml @@ -18,7 +18,7 @@ Magento_SalesRule/js/view/cart/totals/discount - Discount + Discount diff --git a/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml index 2aa493560772a..a7a893fc5428f 100644 --- a/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/SalesRule/view/frontend/layout/checkout_index_index.xml @@ -49,7 +49,7 @@ Magento_SalesRule/js/view/summary/discount - Discount + Discount From 86e59e3c36e3d6996209f1a7238440ab674ec08c Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 16:52:22 -0600 Subject: [PATCH 23/27] MAGETWO-44275: Some layout xml files doesn't have translations - added translate tags to xml template --- .../frontend/layout/checkout_cart_index.xml | 16 ++++++++-------- .../frontend/layout/checkout_index_index.xml | 18 +++++++++--------- .../Widget/Test/Unit/Model/_files/widget.xml | 2 +- 3 files changed, 18 insertions(+), 18 deletions(-) diff --git a/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml b/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml index 4c0a5feb01fbe..dc0831a53cc78 100644 --- a/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml +++ b/app/code/Magento/Tax/view/frontend/layout/checkout_cart_index.xml @@ -17,8 +17,8 @@ Magento_Tax/js/view/checkout/summary/subtotal Magento_Tax/checkout/summary/subtotal - (Excl. Tax) - (Incl. Tax) + (Excl. Tax) + (Incl. Tax) @@ -26,8 +26,8 @@ 20 Magento_Tax/checkout/cart/totals/shipping - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax @@ -41,16 +41,16 @@ Magento_Tax/js/view/checkout/cart/totals/tax Magento_Tax/checkout/cart/totals/tax - Tax + Tax Magento_Tax/js/view/checkout/cart/totals/grand-total Magento_Tax/checkout/cart/totals/grand-total - Order Total Excl. Tax - Order Total Incl. Tax - Order Total + Order Total Excl. Tax + Order Total Incl. Tax + Order Total diff --git a/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml b/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml index cd1d07d44dd7d..db282fc648fb9 100644 --- a/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml +++ b/app/code/Magento/Tax/view/frontend/layout/checkout_index_index.xml @@ -40,16 +40,16 @@ Magento_Tax/js/view/checkout/summary/subtotal - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax Magento_Tax/js/view/checkout/summary/shipping 20 - Excl. Tax - Incl. Tax + Excl. Tax + Incl. Tax @@ -62,16 +62,16 @@ Magento_Tax/js/view/checkout/summary/tax - Tax + Tax Magento_Tax/js/view/checkout/summary/grand-total - Order Total Excl. Tax - Order Total Incl. Tax - Your credit card will be charged for - Order Total + Order Total Excl. Tax + Order Total Incl. Tax + Your credit card will be charged for + Order Total diff --git a/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml b/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml index c9920757160e4..6f6cac6801c29 100644 --- a/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml +++ b/app/code/Magento/Widget/Test/Unit/Model/_files/widget.xml @@ -43,7 +43,7 @@ - Select Product... + Select Product... From 0b73ba4994a0824003fd1c3e39256e531214852e Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 23:05:33 -0600 Subject: [PATCH 24/27] MAGETWO-44697: Remove half-translated files - remove test assertion to check for language change since all translation files have been removed. This line can be restored when new translation files are delivered. --- .../tests/app/Magento/Install/Test/TestCase/InstallTest.xml | 1 - 1 file changed, 1 deletion(-) diff --git a/dev/tests/functional/tests/app/Magento/Install/Test/TestCase/InstallTest.xml b/dev/tests/functional/tests/app/Magento/Install/Test/TestCase/InstallTest.xml index 003d21fdf59ec..39a4e1099dd8f 100644 --- a/dev/tests/functional/tests/app/Magento/Install/Test/TestCase/InstallTest.xml +++ b/dev/tests/functional/tests/app/Magento/Install/Test/TestCase/InstallTest.xml @@ -33,7 +33,6 @@ - Install with table prefix. From 17192485809c20fa0e0679a13c787e270440d872 Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 23:12:58 -0600 Subject: [PATCH 25/27] MAGETWO-44697: Remove half-translated files - remove test assertion to check for localization since all translation files have been removed. This line can be restored when new translation files are delivered. --- .../app/Magento/Store/Test/TestCase/CreateStoreEntityTest.xml | 1 - 1 file changed, 1 deletion(-) diff --git a/dev/tests/functional/tests/app/Magento/Store/Test/TestCase/CreateStoreEntityTest.xml b/dev/tests/functional/tests/app/Magento/Store/Test/TestCase/CreateStoreEntityTest.xml index f63e832542c55..ea434e7882fdc 100644 --- a/dev/tests/functional/tests/app/Magento/Store/Test/TestCase/CreateStoreEntityTest.xml +++ b/dev/tests/functional/tests/app/Magento/Store/Test/TestCase/CreateStoreEntityTest.xml @@ -50,7 +50,6 @@ test_type:acceptance_test - From 98910161145e77ae72cb92d297c45fa3ad83ceea Mon Sep 17 00:00:00 2001 From: Cari Spruiell Date: Mon, 2 Nov 2015 23:49:23 -0600 Subject: [PATCH 26/27] MAGETWO-44697: Remove half-translated files - mark test skipped until translation files are available --- .../testsuite/Magento/CatalogSearch/Controller/ResultTest.php | 1 + 1 file changed, 1 insertion(+) diff --git a/dev/tests/integration/testsuite/Magento/CatalogSearch/Controller/ResultTest.php b/dev/tests/integration/testsuite/Magento/CatalogSearch/Controller/ResultTest.php index c1659c567cf85..4c8ac5e78f4ae 100644 --- a/dev/tests/integration/testsuite/Magento/CatalogSearch/Controller/ResultTest.php +++ b/dev/tests/integration/testsuite/Magento/CatalogSearch/Controller/ResultTest.php @@ -12,6 +12,7 @@ class ResultTest extends \Magento\TestFramework\TestCase\AbstractController */ public function testIndexActionTranslation() { + $this->markTestSkipped('MAGETWO-44910'); $objectManager = \Magento\TestFramework\Helper\Bootstrap::getObjectManager(); $objectManager->get('Magento\Framework\Locale\ResolverInterface')->setLocale('de_DE'); From 9158d4a9c723df36eafa85f89ffea8aa61c1ed8c Mon Sep 17 00:00:00 2001 From: Alexander Paliarush Date: Tue, 3 Nov 2015 16:06:15 +0200 Subject: [PATCH 27/27] MAGETWO-44728: [HHVM] Can't create admin role "Given encoding not supported on this OS!" - Added 'default_charset' to the list of supported directives --- .../testsuite/Magento/Test/Integrity/HhvmCompatibilityTest.php | 1 + lib/internal/Magento/Framework/Validator/StringLength.php | 3 +-- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/dev/tests/static/testsuite/Magento/Test/Integrity/HhvmCompatibilityTest.php b/dev/tests/static/testsuite/Magento/Test/Integrity/HhvmCompatibilityTest.php index 0fade8a1962fe..a81176dbee21c 100644 --- a/dev/tests/static/testsuite/Magento/Test/Integrity/HhvmCompatibilityTest.php +++ b/dev/tests/static/testsuite/Magento/Test/Integrity/HhvmCompatibilityTest.php @@ -37,6 +37,7 @@ class HhvmCompatibilityTest extends \PHPUnit_Framework_TestCase 'display_errors', 'default_socket_timeout', 'pcre.recursion_limit', + 'default_charset' ]; public function testAllowedIniGetSetDirectives() diff --git a/lib/internal/Magento/Framework/Validator/StringLength.php b/lib/internal/Magento/Framework/Validator/StringLength.php index 45d017f44c07f..2e32a80f1e2b5 100644 --- a/lib/internal/Magento/Framework/Validator/StringLength.php +++ b/lib/internal/Magento/Framework/Validator/StringLength.php @@ -30,8 +30,7 @@ public function setEncoding($encoding = null) $result = ini_get('default_charset'); } if (!$result) { - #require_once 'Zend/Validate/Exception.php'; - throw new Zend_Validate_Exception('Given encoding not supported on this OS!'); + throw new \Zend_Validate_Exception('Given encoding not supported on this OS!'); } if (PHP_VERSION_ID < 50600) {