From 598fa0bef53a9f2440abee42c544dc7c74782656 Mon Sep 17 00:00:00 2001 From: Michiel Gerritsen Date: Thu, 7 Apr 2022 09:13:51 +0200 Subject: [PATCH 1/5] Bugfix: Return the correct status when calling MollieProcessTransaction #506 --- .../Resolver/Checkout/ProcessTransaction.php | 24 ++++++++++--------- Model/Client/Orders.php | 4 +--- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/GraphQL/Resolver/Checkout/ProcessTransaction.php b/GraphQL/Resolver/Checkout/ProcessTransaction.php index deb58846af6..2d9cab3e1aa 100644 --- a/GraphQL/Resolver/Checkout/ProcessTransaction.php +++ b/GraphQL/Resolver/Checkout/ProcessTransaction.php @@ -67,32 +67,34 @@ public function resolve(Field $field, $context, ResolveInfo $info, array $value $result = $this->mollie->processTransaction($tokenModel->getOrderId(), 'success', $token); - if (isset($result['error'])) { - return ['paymentStatus' => 'ERROR']; + $cart = null; + if ($tokenModel->getCartId()) { + $cart = $this->getCart($result['status'], $tokenModel->getCartId()); } return [ 'paymentStatus' => strtoupper($result['status']), - 'cart' => $this->getCart($result['status'], $tokenModel->getCartId()), + 'cart' => $cart, ]; } - private function getCart(string $status, ?string $cartId): ?array + private function getCart(string $status, string $cartId): ?array { - if (!$cartId || !in_array($status, [ + $restoreCart = in_array($status, [ PaymentStatus::STATUS_EXPIRED, PaymentStatus::STATUS_CANCELED, PaymentStatus::STATUS_FAILED, PaymentStatus::STATUS_PENDING, - ])) { - return null; - } + ]); try { $cart = $this->cartRepository->get($cartId); - $cart->setIsActive(1); - $cart->setReservedOrderId(null); - $this->cartRepository->save($cart); + + if ($restoreCart) { + $cart->setIsActive(1); + $cart->setReservedOrderId(null); + $this->cartRepository->save($cart); + } return ['model' => $cart]; } catch (NoSuchEntityException $exception) { diff --git a/Model/Client/Orders.php b/Model/Client/Orders.php index a7eb66003de..ed02b687459 100644 --- a/Model/Client/Orders.php +++ b/Model/Client/Orders.php @@ -334,9 +334,7 @@ public function processTransaction(Order $order, $mollieApi, $type = 'webhook', { $result = $this->processTransaction->execute($order, $type); - return [ - 'success' => $result->isSuccess(), - ]; + return $result->toArray(); } public function orderHasUpdate(OrderInterface $order, MollieApiClient $mollieApi) From f2fcfe1d60f81cdfff55ffb6bad581e15a48bb38 Mon Sep 17 00:00:00 2001 From: Peter Jaap Blaakmeer Date: Tue, 12 Apr 2022 20:40:55 +0200 Subject: [PATCH 2/5] Fix PHP 8.1 error in str_replace --- Config.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Config.php b/Config.php index a994daccfd3..f7129d8862a 100644 --- a/Config.php +++ b/Config.php @@ -628,7 +628,7 @@ private function addMethodToPath($path, $method) { return sprintf( $path, - str_replace('mollie_methods_', '', $method) + str_replace('mollie_methods_', '', $method ?? '') ); } } From ac19363b20cebcd90d62fc4e47f9ad1af2069dec Mon Sep 17 00:00:00 2001 From: Michiel Gerritsen Date: Thu, 14 Apr 2022 09:37:59 +0200 Subject: [PATCH 3/5] Feature: Add support for PHP 8.1 --- Config.php | 4 ++-- Helper/General.php | 4 ++-- Model/Client/Orders.php | 2 +- Service/Mollie/TransactionDescription.php | 2 +- .../Lines/Generator/AheadworksAddFreeGift.php | 15 +++++++++++++++ 5 files changed, 21 insertions(+), 6 deletions(-) diff --git a/Config.php b/Config.php index a994daccfd3..7736a8a2819 100644 --- a/Config.php +++ b/Config.php @@ -173,7 +173,7 @@ public function getApiKey($storeId = null) } if (!$this->isProductionMode($storeId)) { - $apiKey = trim($this->getPath(static::GENERAL_APIKEY_TEST, $storeId)); + $apiKey = trim($this->getPath(static::GENERAL_APIKEY_TEST, $storeId) ?? ''); if (empty($apiKey)) { $this->addToLog('error', 'Mollie API key not set (test modus)'); } @@ -186,7 +186,7 @@ public function getApiKey($storeId = null) return $decryptedApiKey; } - $apiKey = trim($this->getPath(static::GENERAL_APIKEY_LIVE, $storeId)); + $apiKey = trim($this->getPath(static::GENERAL_APIKEY_LIVE, $storeId) ?? ''); if (empty($apiKey)) { $this->addToLog('error', 'Mollie API key not set (live modus)'); } diff --git a/Helper/General.php b/Helper/General.php index 6d0a20de632..9703cffbbf5 100755 --- a/Helper/General.php +++ b/Helper/General.php @@ -301,7 +301,7 @@ public function getApiKey($storeId = null) $modus = $this->getModus($storeId); if ($modus == 'test') { - $apiKey = trim($this->getStoreConfig(self::XML_PATH_TEST_APIKEY, $storeId)); + $apiKey = trim($this->getStoreConfig(self::XML_PATH_TEST_APIKEY, $storeId) ?? ''); if (empty($apiKey)) { $this->addTolog('error', 'Mollie API key not set (test modus)'); } @@ -311,7 +311,7 @@ public function getApiKey($storeId = null) } $this->apiKey[$storeId] = $decryptedApiKey; } else { - $apiKey = trim($this->getStoreConfig(self::XML_PATH_LIVE_APIKEY, $storeId)); + $apiKey = trim($this->getStoreConfig(self::XML_PATH_LIVE_APIKEY, $storeId) ?? ''); if (empty($apiKey)) { $this->addTolog('error', 'Mollie API key not set (live modus)'); } diff --git a/Model/Client/Orders.php b/Model/Client/Orders.php index a7eb66003de..92a0cfff1be 100644 --- a/Model/Client/Orders.php +++ b/Model/Client/Orders.php @@ -268,7 +268,7 @@ public function getAddressLine($address) { return [ 'organizationName' => $address->getCompany(), - 'title' => trim($address->getPrefix()), + 'title' => trim($address->getPrefix() ?? ''), 'givenName' => $address->getFirstname(), 'familyName' => $address->getLastname(), 'email' => $address->getEmail(), diff --git a/Service/Mollie/TransactionDescription.php b/Service/Mollie/TransactionDescription.php index 957f8a160d7..11a3136352a 100644 --- a/Service/Mollie/TransactionDescription.php +++ b/Service/Mollie/TransactionDescription.php @@ -37,7 +37,7 @@ public function forRegularTransaction(OrderInterface $order): string $storeId = $order->getStoreId(); $description = $this->config->paymentMethodDescription($order->getPayment()->getMethod(), $storeId); - if (!trim($description)) { + if (!trim($description ?? '')) { $description = '{ordernumber}'; } diff --git a/Service/Order/Lines/Generator/AheadworksAddFreeGift.php b/Service/Order/Lines/Generator/AheadworksAddFreeGift.php index 9b59229bfe2..5621ac292ec 100644 --- a/Service/Order/Lines/Generator/AheadworksAddFreeGift.php +++ b/Service/Order/Lines/Generator/AheadworksAddFreeGift.php @@ -24,6 +24,10 @@ public function __construct( public function process(OrderInterface $order, array $orderLines): array { + if (!$this->hasAheadworksFreeGiftItems($order)) { + return $orderLines; + } + $discount = 0; foreach ($order->getItems() as $item) { $discount += abs($item->getAwAfptcAmount()); @@ -48,4 +52,15 @@ public function process(OrderInterface $order, array $orderLines): array return $orderLines; } + + private function hasAheadworksFreeGiftItems(OrderInterface $order): bool + { + foreach ($order->getItems() as $item) { + if ($item->getAwAfptcAmount() !== null) { + return true; + } + } + + return false; + } } From d7707fbcd3f55a9c06fe6bfb6afc54d6476bb13f Mon Sep 17 00:00:00 2001 From: Michiel Gerritsen Date: Thu, 14 Apr 2022 10:30:40 +0200 Subject: [PATCH 4/5] Feature: Updated translations --- i18n/de_DE.csv | 390 ++++++++++++++++++++++-------------------- i18n/es_ES.csv | 372 ++++++++++++++++++++++++++++++++-------- i18n/fr_FR.csv | 454 ++++++++++++++++++++++++++----------------------- i18n/nl_NL.csv | 408 +++++++++++++++++++++++--------------------- 4 files changed, 960 insertions(+), 664 deletions(-) diff --git a/i18n/de_DE.csv b/i18n/de_DE.csv index 5c0d2f1290b..20ed665aa2a 100644 --- a/i18n/de_DE.csv +++ b/i18n/de_DE.csv @@ -1,178 +1,178 @@ -"Check last 100 debug log records","Letzte 100 Einträge im Debug-Protokoll prüfen" +"Check last 100 debug log records","Letzte 100 Debugging-Protokolleinträge prüfen" "Run Self-test","Selbsttest ausführen" -"Check for latest versions","Auf neuste Version prüfen" +"Check for latest versions","Nach aktueller Version suchen" "Test Apikey","API-Schlüssel testen" "Self Test","Selbsttest" "Payment Fee","Zahlungsgebühr" -"The latest status from Mollie has been retrieved","Der letzte Status von Mollie wurde abgerufen" -"We cancelled order %1, created this order and marked it as complete.","Wir haben Auftrag %1 storniert, diesen Auftrag erstellt und als abgeschlossen markiert." -"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Warnung: Wir empfehlen, die Mollie-Erweiterung mit Composer zu installieren, sie ist derzeit im Ordner App/Code installiert." -"The payment reminder email was successfully send","Die E-Mail mit Zahlungserinnerung wurde erfolgreich gesendet" +"The latest status from Mollie has been retrieved","Der aktuelle Status von Mollie wurde abgerufen" +"We cancelled order %1, created this order and marked it as complete.","Wir haben die Bestellung %1 storniert, diese Bestellung erstellt und als abgeschlossen markiert." +"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Achtung: Wir empfehlen, die Mollie-Erweiterung über Composer zu installieren. Aktuell ist sie im App/Code-Ordner installiert." +"The payment reminder email was successfully send","Die E-Mail mit der Zahlungserinnerung wurde erfolgreich abgesendet" "Log is empty","Protokoll ist leer" -"The payment reminder has been removed","Die Zahlungserinnerung wurde gelöscht" -"The selected payment reminders have been removed","Die ausgewählten Zahlungserinnerungen wurden gelöscht" +"The payment reminder has been removed","Die Zahlungserinnerung wurde entfernt" +"The selected payment reminders have been removed","Die ausgewählten Zahlungserinnerungen wurden entfernt" "Pending Payment Reminders","Ausstehende Zahlungserinnerungen" -"The payment reminder for order #%1 has been sent","Die Zahlungserinnerung für Auftrag #%1 wurde gesendet" -"The payment reminder for %1 order(s) has been sent","Die Zahlungserinnerung für %1 Bestellung(en) wurde gesendet" +"The payment reminder for order #%1 has been sent","Die Zahlungserinnerung für Bestellung #%1 wurde abgesendet" +"The payment reminder for %1 order(s) has been sent","Die Zahlungserinnerung für %1 Bestellung(en) wurde abgesendet" "Sent Payment Reminders","Gesendete Zahlungserinnerungen" -"Invalid return, missing order id.","Ungültige Rückgabe, fehlende Auftragsnummer." -"Invalid return from Mollie.","Ungültige Rückgabe von Mollie." -"There was an error checking the transaction status.","Es gab einen Fehler beim Überprüfen des Transaktionsstatus." -"Something went wrong.","Ein Problem ist aufgetreten." -"Payment canceled, please try again.","Zahlung abgebrochen, bitte versuchen Sie es erneut." -"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Zahlung von Typ %1 wurde abgelehnt. Die Entscheidung basiert auf dem Auftrag und dem Ergebnis der Risikobewertung." +"Invalid return, missing order id.","Ungültige Ausgabe, fehlende Bestellnummer." +"Invalid return from Mollie.","Ungültige Ausgabe von Mollie." +"There was an error checking the transaction status.","Bei der Überprüfung des Transaktionsstatus ist ein Fehler aufgetreten." +"Something went wrong.","Etwas ist schiefgegangen." +"Payment canceled, please try again.","Zahlung abgebrochen. Bitte versuchen Sie es noch einmal." +"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Die Zahlung vom Typ %1 wurde abgelehnt. Die Entscheidung basiert auf der Bestellung und dem Ergebnis der Risikobewertung." "Payment Method not found","Zahlungsmethode nicht gefunden" -"Canceled because an error occurred while redirecting the customer to Mollie","Abgebrochen, da bei Weiterleitung des Kunden zu Mollie ein Fehler aufgetreten ist" -"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Timeout beim Verbinden mit %1. Dies kann die Folge einer Unterbrechung sein. Bitte versuchen Sie es erneut oder wählen Sie eine andere Zahlungsmethode." -"The required payment token is not available","Der erforderliche Payment-Token ist nicht verfügbar" -"The payment token %1 does not exists","Payment-Token %1 existiert nicht" -"Payment cancelled, please try again.","Zahlung abgebrochen, bitte versuchen Sie es erneut." -"The field ""payment_token"" is required for this request","Für diese Anfrage ist das Feld „Payment_Token“ erforderlich" -"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","Mollie API-Client für PHP ist nicht installiert. Nähere Informationen zu diesem Problem finden Sie auf der Seite %1." -"Mollie API client for PHP is not installed, for more information about this issue see: %1","Mollie API-Client für PHP ist nicht installiert. Für nähere Informationen zu diesem Problem: %1." -"The order was canceled","Der Auftrag wurde storniert" -"The order was canceled, reason: payment %1","Der Auftrag wurde storniert. Grund: Zahlung %1" -"Test API-key: Empty value","Test-API-Schlüssel: Leerer Wert" -"Test API-key: Should start with ""test_""","Test-API-Schlüssel: Muss mit „Test_“ beginnen" -"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Aktivierte Methoden: Keine. Bitte aktivieren Sie die Zahlungsmethoden in Ihrem Mollie-Dashboard." -"Enabled Methods","Aktivierte Methoden" -"Test API-key: Success!","Test-API-Schlüssel: Erfolgreich!" -"Test API-key: %1","Test-API-Schlüssel: %1" +"Canceled because an error occurred while redirecting the customer to Mollie","Die Zahlung wurde wegen eines Fehlers bei der Weiterleitung des Kunden zu Mollie abgebrochen" +"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Bei der Verbindung mit %1 wurde die Zeitüberschreitung erreicht. Das kann an einer fehlenden Netzwerkverbindung liegen. Bitte versuchen Sie es noch einmal oder wählen Sie eine andere Zahlungsmethode aus." +"The required payment token is not available","Das erforderliche Zahlungstoken ist nicht verfügbar" +"The payment token %1 does not exists","Das Zahlungstoken %1 existiert nicht" +"Payment cancelled, please try again.","Zahlung abgebrochen. Bitte versuchen Sie es noch einmal." +"The field ""payment_token"" is required for this request","Das Feld „payment_token“ ist für diese Anfrage verpflichtend" +"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","Der Mollie-API-Client für PHP ist nicht installiert. Weitere Informationen zu diesem Fehler finden Sie auf unserer Seite %1." +"Mollie API client for PHP is not installed, for more information about this issue see: %1","Der Mollie-API-Client für PHP ist nicht installiert. Weitere Informationen zu diesem Fehler finden Sie hier: %1." +"The order was canceled","Die Bestellung wurde storniert" +"The order was canceled, reason: payment %1","Die Bestellung wurde storniert. Grund: Zahlung %1" +"Test API-key: Empty value","Test des API-Schlüssels: Leerer Wert" +"Test API-key: Should start with ""test_""","Test des API-Schlüssels: Muss mit „test_“ beginnen" +"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Aktivierte Methoden: Keine. Bitte aktivieren Sie Zahlungsmethoden in Ihrem Mollie-Dashboard." +"Enabled Methods","Aktivierte Methoden:" +"Test API-key: Success!","Test des API-Schlüssels: Erfolg!" +"Test API-key: %1","Test des API-Schlüssels: %1" "Live API-key: Empty value","Live-API-Schlüssel: Leerer Wert" -"Live API-key: Should start with ""live_""","Live-API-Schlüssel: Muss mit „Live_“ beginnen" +"Live API-key: Should start with ""live_""","Live-API-Schlüssel: Muss mit „live_“ beginnen" "Enabled Methods: %1","Aktivierte Methoden: %1" -"Live API-key: Success!","Live-API-Schlüssel: Erfolgreich!" +"Live API-key: Success!","Live-API-Schlüssel: Erfolg!" "Live API-key: %1","Live-API-Schlüssel: %1" -"Error: The client requires PHP version >= %1, you have %2.","Fehler: Für den Client ist PHP-Version >= %1 erforderlich, Sie haben %2." -"Success: PHP version: %1.","Erfolgreich: PHP-Version: %1." -"Error: PHP extension JSON is not enabled.","Fehler: PHP-Erweiterung JSON ist nicht aktiviert." -"Please make sure to enable ""json"" in your PHP configuration.","Bitte aktivieren Sie „json“ in Ihren PHP-Einstellungen." -"Success: JSON is enabled.","Erfolgreich: JSON ist aktiviert." +"Error: The client requires PHP version >= %1, you have %2.","Fehler: Der Client benötigt eine PHP-Version ≥ %1. Sie nutzen Version %2." +"Success: PHP version: %1.","Erfolg: PHP-Version: %1." +"Error: PHP extension JSON is not enabled.","Fehler: PHP-Erweiterung JSON ist nicht aktiviert" +"Please make sure to enable ""json"" in your PHP configuration.","Gehen Sie sicher, dass „json“ in Ihrer PHP-Konfiguration aktiviert ist." +"Success: JSON is enabled.","Erfolg: JSON ist aktiviert." "Error: Mollie CompatibilityChecker not found.","Fehler: Mollie CompatibilityChecker nicht gefunden." -"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Warnung: Wir empfehlen, für ausstehende Banküberweisungen einen eindeutigen Zahlungsstatus zu verwenden" +"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Achtung: Wir empfehlen, einen einheitlichen Zahlungsstatus für ausstehende Zahlungen per Überweisung zu verwenden" "Live","Live" "Test","Test" "External","Extern" "Direct","Direkt" "On Authorize","Bei Autorisierung" "On Shipment","Bei Versand" -"Dropdown","Dropdown" -"List with images","Liste mit Abbildungen" -"Don't show issuer list","Anbieterliste verbergen" -"Autodetect","Auto-Erkennung" -"Store Locale","Lokal speichern" -"Payments API","Zahlungs-API" -"Orders API","Auftrags-API" +"Dropdown","Drop-Down" +"List with images","Liste mit Bildern" +"Don't show issuer list","Ausstellerliste nicht anzeigen" +"Autodetect","Automatische Erkennung" +"Store Locale","Locale speichern" +"Payments API","Payments API" +"Orders API","Orders API" "None","Keine" -"First available Mollie method","Erste verfügbare Molllie-Methode" +"First available Mollie method","Erste verfügbare Mollie-Methode" "No","Nein" -"Percentage","Prozentsatz" +"Percentage","Anteil" "Fixed Fee","Feste Gebühr" -"Fixed Fee and Percentage","Feste Gebühr und Prozentsatz" +"Fixed Fee and Percentage","Feste Gebühr und Anteil" "-- Use Default --","-- Standard verwenden --" "Please select","Bitte auswählen" -"1 hours","1 Stunden" +"1 hours","1 Stunde" "%1 hours","%1 Stunden" -"Meal","Mahlzeit" -"Eco","Eco" +"Meal","Essen" +"Eco","Öko" "Gift","Geschenk" "Custom attribute","Benutzerdefiniertes Attribut" "Enabled","Aktiviert" -"Custom URL","Individuelle URL" +"Custom URL","Benutzerdefinierte URL" "Disabled","Deaktiviert" -"Customer redirected to Mollie","Weiterleitung des Kunden zu Mollie" -"Created Mollie Checkout Url","Mollie Checkout-URL erstellt" +"Customer redirected to Mollie","Kunde zu Mollie weitergeleitet" +"Created Mollie Checkout Url","Mollie-Checkout-URL erstellt" "Currency does not match.","Währung stimmt nicht überein." -"Mollie: Order Amount %1, Captured Amount %2","Mollie: Auftragssumme %1, Erfasst %2" -"New order email sent","Neue Auftragsmail gesendet" -"Unable to send the new order email: %1","Neue Auftragsmail konnte nicht gesendet werden: %1" -"Notified customer about invoice #%1","Kunden über Rechnung #%1 informiert" -"Unable to send the invoice: %1","Rechnung kann nicht gesendet werden: %1" -"Transaction ID not found","Transaktions-ID nicht gefunden" +"Mollie: Order Amount %1, Captured Amount %2","Mollie: Bestellungssumme %1, erfasster Betrag %2" +"New order email sent","E-Mail über neue Bestellung gesendet" +"Unable to send the new order email: %1","Fehler beim Senden der Bestell-E-Mail: %1" +"Notified customer about invoice #%1","Kunde über Rechnung #%1 informiert." +"Unable to send the invoice: %1","Versand der Rechnung nicht möglich: %1" +"Transaction ID not found","Transaktionsnummer nicht gefunden" "Api key not found","API-Schlüssel nicht gefunden" -"Mollie (Order ID: %2): %1","Mollie (Auftrags-ID: %2): %1" -"Class Mollie\Api\MollieApiClient does not exist","Klasse Mollie\Api\MollieApiClient existiert nicht" -"Shipment already pushed to Mollie","Lieferung bereits an Mollie übermittelt" -"All items in this order where already marked as shipped in the Mollie dashboard.","Alle Artikel dieser Bestellung waren im Mollie-Dashboard bereits als versandt markiert." +"Mollie (Order ID: %2): %1","Mollie (Bestellnr.: %2): %1" +"Class Mollie\Api\MollieApiClient does not exist","Die Klasse Mollie\Api\MollieApiClient existiert nicht" +"Shipment already pushed to Mollie","Versand bereits an Mollie gepusht" +"All items in this order where already marked as shipped in the Mollie dashboard.","Alle Artikel dieser Bestellung wurden im Mollie-Dashboard bereits als versandt markiert" "Mollie API: %1","Mollie-API: %1" -"Shipment ID not found","Versand-ID nicht gefunden" -"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Eine Offline-Rückerstattung wurde erstellt. Erstellen Sie diese Rückerstattung auch auf mollie.com/dashboard oder nutzen Sie die Online-Rückerstattungsoption." -"Order can only be refunded after Klarna has been captured (after shipment)","Auftrag kann nur nach Erfassung durch Klarna (nach Versand) erstattet werden" -"Can not create online refund, as shipping costs do not match","Erstellen Online-Rückerstattung nicht möglich: Versandkosten stimmen nicht überein" -"Mollie: Captured %1, Settlement Amount %2","Mollie: Erfasst %1, Abrechnungssumme %2" -"Order not found","Auftrag nicht gefunden" +"Shipment ID not found","Versandnummer nicht gefunden" +"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Eine Offline-Rückerstattung wurde erstellt. Bitte gehen Sie sicher, dass Sie diese Rückerstattung auch auf mollie.com/dashboard erstellen oder benutzen Sie die Online-Rückerstattungsoption." +"Order can only be refunded after Klarna has been captured (after shipment)","Die Bestellung kann nur zurückerstattet werden, nachdem die Klarna-Zahlung erfasst wurde (nach dem Versand)" +"Can not create online refund, as shipping costs do not match","Die Online-Rückerstattung kann nicht erstellt werden, da die Versandkosten nicht übereinstimmen" +"Mollie: Captured %1, Settlement Amount %2","Mollie: %1 erfasst, Ausgleichsbetrag %2" +"Order not found","Bestellung nicht gefunden" "API Key not found","API-Schlüssel nicht gefunden" -"Error: not possible to create an online refund: %1","Fehler: Erstellen Online-Rückerstattung nicht möglich: %1" -"No order found for transaction id %1","Kein Autrag für Transaktions-ID %1 gefunden" -"-- Please Select --","-- Bitte auswählen --" +"Error: not possible to create an online refund: %1","Fehler: Eine Online-Rückerstattung konnte nicht erstellt werden: %1" +"No order found for transaction id %1","Keine Bestellung zur Transaktionsnummer %1 gefunden" +"-- Please Select --","-- Bitte wählen --" "QR Code","QR-Code" "Could not save the Mollie customer: %1","Mollie-Kunde konnte nicht gespeichert werden: %1" -"Customer with id ""%1"" does not exist.","Kunde mit ID „%1“ existiert nicht." +"Customer with id ""%1"" does not exist.","Ein Kunde mit der Nummer „%1“ existiert nicht." "Could not delete the Customer: %1","Kunde konnte nicht gelöscht werden: %1" "Could not save Order Lines. Error: order line not found","Auftragszeilen konnten nicht gespeichert werden. Fehler: Auftragszeile nicht gefunden" -"Could not save Order Lines. Error: sku's do not match","Auftragszeilen konnten nicht gespeichert werden. Fehler: SKUs stimmen nicht überein" +"Could not save Order Lines. Error: sku's do not match","Auftragszeilen konnten nicht gespeichert werden. Fehler: SKU-Nummern stimmen nicht überein" "Could not save the paymentToken: %1","PaymentToken konnte nicht gespeichert werden: %1" -"PaymentToken with id ""%1"" does not exist.","PaymentToken mit ID „%1“ existiert nicht." +"PaymentToken with id ""%1"" does not exist.","Ein PaymentToken mit der Nummer „%1“ existiert nicht." "Could not delete the PaymentToken: %1","PaymentToken konnte nicht gelöscht werden: %1" "Could not save the pendingPaymentReminder: %1","PendingPaymentReminder konnte nicht gespeichert werden: %1" -"PendingPaymentReminder with id ""%1"" does not exist.","PendingPaymentReminder mit ID „%1“ existiert nicht." +"PendingPaymentReminder with id ""%1"" does not exist.","Ein PendingPaymentReminder mit der Nummer „%1“ existiert nicht." "Could not delete the PendingPaymentReminder: %1","PendingPaymentReminder konnte nicht gelöscht werden: %1" "Could not save the sentPaymentReminder: %1","SentPaymentReminder konnte nicht gespeichert werden: %1" -"SentPaymentReminder with id ""%1"" does not exist.","SentPaymentReminder mit ID „%1“ existiert nicht." +"SentPaymentReminder with id ""%1"" does not exist.","Ein SentPaymentReminder mit der Nummer „%1“ existiert nicht." "Could not delete the SentPaymentReminder: %1","SentPaymentReminder konnte nicht gelöscht werden: %1" -"%1: method not enabled in Mollie Dashboard","%1: Methode nicht im Mollie Dashboard aktiviert" -"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Sind Sie sich sicher? Der aktuelle Auftrag wird storniert und ein neuer, als bezahlt markierter Auftrag wird erstellt." +"%1: method not enabled in Mollie Dashboard","%1: Methode nicht im Mollie-Dashboard aktiviert" +"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Sind Sie sicher, dass Sie das tun möchten? Die aktuelle Bestellung wird dadurch storniert und es wird eine neue Bestellung erstellt, die als bezahlt markiert wird." "Mark as paid","Als bezahlt markieren" "Send Payment Reminder","Zahlungserinnerung senden" -"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Fehler: Scheinbar sind nicht alle Erweiterungsattribute vorhanden. Stellen Sie sicher, dass „bin/magento setup:di:compile“ ausgeführt wird." -"Warning: Webhooks are currently disabled.","Warnung: WebHooks sind derzeit deaktiviert." -"Store Credit","Store-Guthaben" -"We where unable to find the store credit for order #%1","Store-Guthaben für Auftrag #%1 wurde nicht gefunden" -"We created a new order with increment ID: %1","Neuer Auftrag erstellt mit Inkrement-ID: %1" -"There is no order found with token %1","Es existiert kein Auftrag mit Token %1" -"Order uncanceled by webhook.","Bestellung von WebHook nicht storniert." -"[TEST] An error occured","[TEST] Ein Fehler ist aufgetreten" +"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Fehler: Es sieht aus, als wären nicht alle Erweiterungsattribute vorhanden. Gehen Sie sicher, dass Sie `bin/magento setup:di:compile‘ ausführen." +"Warning: Webhooks are currently disabled.","Achtung: WebHooks sind aktuell deaktiviert." +"Store Credit","Shop-Guthaben" +"We where unable to find the store credit for order #%1","Wir konnten das Shop-Guthaben für die Bestellung #%1 nicht finden" +"We created a new order with increment ID: %1","Wir haben eine neue Bestellung mit der Inkrementnummer %1 erstellt" +"There is no order found with token %1","Es wurde keine Bestellung mit dem Token %1 gefunden" +"Order uncanceled by webhook.","Stornierung der Bestellung durch WebHook rückgängig gemacht" +"[TEST] An error occured","[Test] Ein Fehler ist aufgetreten" "Delete","Löschen" "Send now","Jetzt senden" -"Create a Mollie Payment link and add this to the order email.","Mollie-Zahlungslink erstellen und zur Auftrags-E-Mail hinzufügen." -"Limit to the following method(s)","Auf folgende Methode(n) beschränken" -"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Bei Auswahl einer Methode wird das Auswahlfenster übersprungen und der Kunde wird direkt zur Zahlungsmethode weitergeleitet." -"This order expires at:","Dieser Auftrag ist fällig am:" -"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Es ist nicht möglich, Klarna Slice it oder Klarna Pay später als Methode zu verwenden, wenn das Fälligkeitsdatum mehr als 28 Tage in der Zukunft liegt, es sei denn, der Händler und Klarna haben ein anderes Maximum vereinbart." -"Checkout Type","Art des Checkouts" +"Create a Mollie Payment link and add this to the order email.","Legen Sie einen Mollie-Zahlungslink an und fügen Sie ihn zur E-Mail über die Bestellung hinzu." +"Limit to the following method(s)","Grenzwert für die folgenden Methode(n)" +"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Wenn eine Methode ausgewählt wird, wird die Auswahlseite übersprungen und der Kunde wird direkt zur Zahlungsmethode weitergeleitet." +"This order expires at:","Diese Bestellung läuft ab am:" +"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Klarna Slice it und Klarna Pay later können nicht als Zahlungsmethode verwendet werden, wenn Ihr Ablaufdatum mehr als 28 Tage in der Zukunft liegt, es sei denn, zwischen dem Händler und Klarna wurde eine andere Vereinbarung getroffen." +"Checkout Type","Checkout-Typ" "Checkout Url","Checkout-URL" "Valid Until","Gültig bis" "Payment Status","Zahlungsstatus" -"Please ship order to capture Klarna payment","Auftrag versenden, um Klarna-Zahlung zu erfassen" +"Please ship order to capture Klarna payment","Versenden Sie die Bestellung, um die Klarna-Zahlung zu erfassen" "Mollie ID","Mollie-ID" -"View in Mollie dashboard","Im Molllie-Dashboard anzeigen" +"View in Mollie dashboard","Im Mollie-Dashboard anzeigen" "Copy","Kopieren" "Update Payment Status","Zahlungsstatus aktualisieren" -"Fetch Status","Status abrufen" -"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","Der Zahlungsstatus wird standardmäßig automatisch aktualisiert. Im Falle einer Unterbrechung können Sie diese Funktion verwenden, um den Zahlungsstatus manuell abzurufen." -"Redirecting to Mollie","Weiterleitung zu Mollie" +"Fetch Status","Abrufstatus" +"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","Der Zahlungsstatus wird standardmäßig automatisch aktualisiert. Im Fall von Unterbrechungen können Sie diese Funktion aber verwenden, um den Zahlungsstatus manuell abzurufen." +"Redirecting to Mollie","Sie werden zu Mollie weitergeleitet" "Back to Checkout","Zurück zum Checkout" -"Proceed Payment","Zahlung fortsetzen" -"Complete your payment from %store_name","Schließen Sie Ihre Zahlung bei %store_name ab" +"Proceed Payment","Mit der Zahlung fortfahren" +"Complete your payment from %store_name","Vervollständigen Sie Ihre Zahlung an %store_name" "Dear %name,","Liebe/r %name," -"Thank you for shopping at %store_name.","vielen Dank, dass Sie bei %store_name einkaufen." -"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Wir haben gesehen, dass Sie eine Bestellung mit den folgenden Artikeln aufgegeben, aber den Zahlungsvorgang noch nicht abgeschlossen haben. Klicken Sie auf den folgenden Link, um die Bestellung abzuschließen und sich Ihre Artikel zu sichern!" -"Description: Order #%order_id from %store_name","Beschreibung: Bestellung #%order_id from %store_name" -"Click here to complete your payment","Klicken Sie hier, um die Zahlung abzuschließen" -"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Ignorieren Sie diese E-Mail, wenn Sie:
• die Bestellung nicht abschließen möchten
• die Bestellung bereits auf einem anderen Weg abgeschlossen haben." -"Place order","Bestellung aufgeben" +"Thank you for shopping at %store_name.","Vielen Dank für Ihren Einkauf bei %store_name." +"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Wir haben gesehen, dass Sie die folgenden Produkte bestellt haben, die Zahlung aber noch nicht abgeschlossen haben. Nutzen Sie den Link unten, um Ihre Bestellung zu vervollständigen, damit Sie Ihre Artikel bald in den Händen halten können!" +"Description: Order #%order_id from %store_name","Beschreibung: Bestellung #%order_id bei %store_name" +"Click here to complete your payment","Klicken Sie hier, um Ihre Zahlung zu vervollständigen" +"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Bitte ignorieren Sie diese E-Mail, falls Sie:
• Die Bestellung nicht vervollständigen möchten
• Die Bestellung bereits auf anderem Wege abgeschlossen haben." +"Place order","Jetzt kaufen" "Select Bank","Bank auswählen" -"Select Giftcard","Geschenkkarte auswählen" -"Invalid response received. This indicates an unknown problem.","Antwort ungültig. Dies deutet auf ein unbekanntes Problem hin." -"Great, you are using the latest version.","Prima: Sie verwenden die aktuellste Version." -"There is a new version available (%1) see .","Eine neue Version ist verfügbar, (%1) siehe ." -"last 100 debug log lines","letzte 100 Debug-Protokollzeilen" -"download as .txt file","als .txt-Datei downloaden" +"Select Giftcard","Gutschein auswählen" +"Invalid response received. This indicates an unknown problem.","Eine ungültige Antwort wurde erhalten. Dies weist auf ein unbekanntes Problem hin." +"Great, you are using the latest version.","Super, Sie verwenden die aktuelle Version." +"There is a new version available (%1) see .","Eine neue Version (%1) ist verfügbar. Siehe ." +"last 100 debug log lines","letzte 100 Debugging-Protokollzeilen" +"download as .txt file","als .txt-Datei herunterladen" "ok","ok" -"last 100 error log records","letzte 100 Einträge im Fehlerprotokoll" +"last 100 error log records","letzte 100 Fehlerprotokolleinträge" "Self-test","Selbsttest" -"Fetching...","Wird abgerufen…" -"Error While Fetching","Fehler beim Abrufen" +"Fetching...","Rufe Informationen ab..." +"Error While Fetching","Fehler beim Abrufen der Informationen" "Mollie Payment Reminders","Mollie-Zahlungserinnerungen" "Pending","Ausstehend" "Sent","Gesendet" @@ -181,108 +181,130 @@ "Method","Methode" "Description","Beschreibung" "Integration type","Integrationsart" -"Days to expire","Tage bis zur Fälligkeit" -"Payment from Applicable Countries","Zahlung aus jeweiligen Ländern" -"Payment from Specific Countries","Zahlungen aus bestimmten Ländern" -"Minimum Order Total","Mindestbestellwert" -"Maximum Order Total","Maximaler Bestellwert" -"Payment Surcharge","Zahlungsaufschlag" -"Payment Surcharge fixed amount","Zahlungsaufschlag fester Betrag" -"Payment Surcharge percentage","Zahlungsaufschlag Prozentsatz" -"Payment Surcharge limit","Zahlungsaufschlag Grenze" -"Payment Surcharge Tax Class","Zahlungsaufschlag Steuerklasse" +"Days to expire","Tage bis Ablauf" +"Payment from Applicable Countries","Zahlung aus erlaubten Ländern" +"Payment from Specific Countries","Zahlung aus bestimmten Ländern" +"Minimum Order Total","Mindestwert für Gesamtbestellung" +"Maximum Order Total","Höchstwert für Gesamtbestellung" +"Payment Surcharge","Zahlungszuschlag" +"Payment Surcharge fixed amount","Fester Zahlungszuschlag" +"Payment Surcharge percentage","Anteiliger Zahlungszuschlag" +"Payment Surcharge limit","Maximaler Zahlungszuschlag" +"Payment Surcharge Tax Class","Steuerklassifikation für Zahlungszuschlag" "Sorting Order","Sortierreihenfolge" "Bancontact","Bancontact" "Banktransfer","Banküberweisung" -"Status Pending","Status Ausstehend" -"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Wir empfehlen, einen anderen „Wartestatus“ zu verwenden, da der voreingestellte Magento-Wartestatus die Bestellung vor Erreichen der Zahlungsfrist automatisch stornieren kann.
Standardmäßig ist der Status „Ausstehende Zahlung“ für Kunden nicht sichtbar. Deshalb empfehlen wir, hierfür einen neuen Status zu erstellen, der auch für Kunden sichtbar ist und sie darüber informiert, dass die Zahlung noch abzuschließen ist." -"Due Days","Fälligkeitstage" +"Status Pending","Status ausstehend" +"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Wir empfehlen, einen anderen als den standardmäßigen ausstehenden Status von Magento zu verwenden, da die Zahlung bei diesem vor Ablauf der Zahlungsfrist automatisch storniert werden kann.
Standardmäßig ist der Status „Ausstehende Zahlung“ für den Kunden nicht sichtbar. Wir empfehlen Ihnen daher, einen neuen Status zu erstellen, der auch für den Kunden sichtbar ist und ihm mitteilt, dass er die Zahlung noch vervollständigen muss." +"Due Days","Zahlungstermine" "Belfius","Belfius" "Credit Card","Kreditkarte" -"Use Mollie Components","Mollie Components verwenden" +"Use Mollie Components","Mollie-Komponenten verwenden" "Enable Single Click Payments","Ein-Klick-Zahlungen aktivieren" "SEPA Direct Debit","SEPA-Lastschrift" "EPS","EPS" "Giftcard","Geschenkkarte" -"Issuer List Style","Issuer List Style" +"Issuer List Style","Stil der Ausstellerliste" "Giropay","Giropay" -"iDeal","iDeal" -"Add QR-Code option in Issuer List","QR-Code zur Anbieterliste hinzufügen" -"ING Homepay","ING Homepay" +"iDeal","iDEAL" +"Add QR-Code option in Issuer List","QR-Code-Option zur Ausstellerliste hinzufügen" +"ING Homepay","ING Home'Pay" "KBC/CBC","KBC/CBC" -"Klarna Pay Later","Klarna Pay Later" -"Klarna Slice","Klarna Slice" +"Klarna Pay Later","Klarna Pay later" +"Klarna Slice","Klarna Slice it" "MyBank","MyBank" -"Payment Link / Admin Payment","Zahlungslink/Admin-Payment" -"Add Link to Payment Details","Link zu den Zahlungsinformationen hinzufügen" -"Allow to manually mark as paid?","Manuell als bezahlt Markieren erlauben?" -"Payment Message / Link","Zahlungsnachricht/Link" -"Status New","Status Neu" +"Payment Link / Admin Payment","Bezahllink/Admin-Zahlung" +"Add Link to Payment Details","Link zu Zahlungsinformationen hinzufügen" +"Allow to manually mark as paid?","Manuelle Markierung als bezahlt erlauben?" +"Payment Message / Link","Zahlungsmitteilung/Link" +"Status New","Status neu" "Paypal","PayPal" "Paysafecard","Paysafecard" "Przelewy24","Przelewy24" "Sofort","Sofort" -"Voucher","Voucher" +"Voucher","Gutschein" "Category","Kategorie" -"Product attribute","Produktattribut" +"Product attribute","Artikelattribut" "Mollie","Mollie" "General","Allgemein" "Branding","Branding" "Version","Version" -"API Details","API-Details" -"You can find your Api Keys in your Mollie Profile.
","Sie finden Ihre Api-Schlüssel in Ihrem Mollie-Profil.
" +"API Details","API-Informationen" +"You can find your Api Keys in your Mollie Profile.
","Sie finden Ihre API-Schlüssel in Ihrem Mollie-Profil.
" "Modus","Modus" "Test API Key","Test-API-Schlüssel" "Live API Key","Live-API-Schlüssel" -"Profile ID","Profil-ID" +"Profile ID","Profilnummer" "Settings","Einstellungen" "Show Icons","Symbole anzeigen" -"Default selected method","Gewählte Methode als Standard verwenden" +"Default selected method","Standardmäßig ausgewählte Methode" "Debug & Logging","Debugging & Protokollierung" "Debug","Debugging" -"Especially for Developers you can enable the Debug mode.","Speziell für Developer kann der Debug-Modus aktiviert werden." -"Debug requests","Debug-Anfragen" +"Especially for Developers you can enable the Debug mode.","Insbesondere für Entwickler können Sie den Debugging-Modus aktivieren." +"Debug requests","Debugging-Anfragen" "Payment Methods","Zahlungsmethoden" "Advanced","Erweitert" "Statuses","Status" -"Set the order status before the customer is redirected to Payment Gateway","Bestellstatus einstellen, bevor der Kunde zum Payment Gateway weitergeleitet wird" -"Status Processing","Status In Bearbeitung" -"Set the order status for Completed Payments","Auftragsstatus für abgeschlossene Zahlungen einstellen" -"Triggers & Languages","Trigger & Sprachen" -"When to create the invoice?","Wann Rechnung erstellen?" -"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Wann soll die Rechnung für Klarna Payments erstellt werden?
Bei Autorisierung: vollständige Rechnung erstellen, wenn die Bestellung autorisiert ist.
Bei Versand: (Teil-)Rechnung erstellen, wenn eine Lieferung erstellt wurde." -"Send Invoice Email","Rechnungs-E-Mail senden" -"Set the notification for to Notify the customer with the Invoice","Benachrichtigung auf Den Kunden mit Rechnung informieren einstellen" -"Cancel order when connection Fails","Auftrag abbrechen, wenn Verbindung fehlschlägt" -"Include shipping in Surcharge calculation","Versandkosten bei Zahlungszuschlag mit verrechnen" -"Use Base Currency","Basiswährung verwenden" -"Language Payment Page","Sprache Zahlungsseite" -"Let Mollie automatically detect the language or force the language from the store view.","Mollie erkennt die Sprache automatisch oder übernimmt die Sprache der Webshop-Ansicht." -"Show Transaction Details","Transaktions-Details anzeigen" +"Set the order status before the customer is redirected to Payment Gateway","Bestellstatus setzen, bevor der Kunde an das Zahlungsportal weitergeleitet wird" +"Status Processing","Statusverarbeitung" +"Set the order status for Completed Payments","Status für abgeschlossene Zahlungen setzen" +"Triggers & Languages","Auslöser & Sprachen" +"When to create the invoice?","Wann soll die Rechnung erstellt werden?" +"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Wann möchten Sie die Rechnung für Klarna Payments erstellen?
Bei Autorisierung: Erstellung der vollständigen Rechnung, wenn die Bestellung autorisiert worden ist.
Bei Versand: Erstellung der (partiellen) Rechnung bei der Versanderstellung." +"Send Invoice Email","Rechnung per E-Mail senden" +"Set the notification for to Notify the customer with the Invoice","Legen Sie die Benachrichtigung fest, mit welcher der Kunde die Rechnung erhält" +"Cancel order when connection Fails","Bestellung stornieren, falls Verbindung fehlschlägt" +"Include shipping in Surcharge calculation","Versand in Zuschlag einberechnen" +"Use Base Currency","Basis-Währung verwenden" +"Language Payment Page","Sprache der Bezahlseite" +"Let Mollie automatically detect the language or force the language from the store view.","Mollie automatisch die Sprache erkennen lassen oder Sprache des Shops forcieren" +"Show Transaction Details","Transaktionsinformationen anzeigen" "Use Loading Screen","Ladebildschirm verwenden" -"PWA Storefront Integration","PWA Storefront-Integration" -"Advanced: PWA storefront integration","Erweitert: PWA Storefront-Integration" -"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Verwenden Sie diese Funktion nur, wenn Sie die Mollie-Erweiterung in eine PWA Storefront integrieren möchten. Nähere Informationen finden Sie hier." -"Use custom return url?","Individuelle Rückleitungs-URL verwenden?" -"Custom return url","Individuelle Rückleitungs-URL" -"Second Chance Email","Second Chance E-Mail" -"Second Chance Email","Second Chance E-Mail" -"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Kunden mit fehlgeschlagener oder abgebrochender Zahlung eine E-Mail senden, damit sie eine zweite Chance erhalten, die Zahlung mithilfe des PaymentLink abzuschließen und ihre Bestellung wiederaufzunehmen.
Sie können diese Zahlungserinnerungen manuell oder vollautomatisiert versenden." -"Enable Second Chance Email","Second Chance E-Mail aktivieren" -"Second Chance Email Template","Vorlage Second Chance E-Mail" -"Automatically Send Second Chance Emails","Second Chance E-Mails automatisiert versenden" -"Second Chance Email Delay","Second Chance E-Mail Verzögerung" +"PWA Storefront Integration","PWA-Storefront-Integration" +"Advanced: PWA storefront integration","Erweitert: PWA-Storefront-Integration" +"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Verwenden Sie diese Funktion nur, wenn Sie die Mollie-Erweiterung mit PWA Storefront integrieren möchten. Weitere Informationen dazu finden Sie hier." +"Use custom return url?","Benutzerdefinierte Rückleitungs-URL verwenden?" +"Custom return url","Benutzerdefinierte Rückleitungs-URL" +"Second Chance Email","Zweite-Chance-E-Mail" +"Second Chance Email","Zweite-Chance-E-Mail" +"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Senden Sie Kunden mit einer fehlgeschlagenen oder nicht abgeschlossenen Zahlung eine E-Mail, um ihnen eine zweite Chance zu geben, die Zahlung über den Bezahllink abzuschließen und die Bestellung wiederherzustellen.
Sie können diese Zahlungserinnerungen entweder manuell oder vollautomatisch senden." +"Enable Second Chance Email","Zweite-Chance-E-Mail aktivieren" +"Second Chance Email Template","Vorlage für Zweite-Chance-E-Mail" +"Automatically Send Second Chance Emails","Zweite-Chance-E-Mails automatisch versenden" +"Second Chance Email Delay","Wartezeit bis Versand der Zweite-Chance-E-Mail" "Mollie Payment Fee","Mollie-Zahlungsgebühr" "Payment fee","Zahlungsgebühr" "Delete items","Artikel löschen" "Are you sure you want to delete selected items?","Sind Sie sicher, dass Sie die ausgewählten Artikel löschen möchten?" "Warning","Warnung" -"This action is time-consuming and the page can time out when there are too many items selected","Diese Aktion benötigt viel Zeit. Es kann zu einem Time-out kommen, wenn zu viele Elemente ausgewählt wurden." -"Increment ID","Inkrementierungs-ID" +"This action is time-consuming and the page can time out when there are too many items selected","Diese Aktion erfordert etwas Zeit. Falls zu viele Artikel ausgewählt sind, kann es sein, dass die Zeitüberschreitung der Seite erreicht wird." +"Increment ID","Inkrementnummer" "Firstname","Vorname" "Lastname","Nachname" -"E-mail","E-Mail-Adresse" -"Name on card":"Name des Karteninhabers" -"Card Number","Kreditkartennummer" -"CVC/CVV":"CVV" -"Expiry Date","MM/JJ" +"E-mail","E-Mail" +"Name on card","Name auf der Karte" +"Card Number","Kartennummer" +"CVC/CVV","CVC/CVV" +"Expiry Date","Ablaufdatum" +"Failed to initialize product","Produktinitialisierung fehlgeschlagen" +"Your session has expired","Ihre Sitzung ist abgelaufen" +"Product not found","Produkt nicht gefunden" +"We can't add this item to your shopping cart right now.","Wir können diesen Artikel gerade nicht in Ihren Warenkorb legen." +"No transaction ID found","Keine Transaktionsnummer gefunden" +"There is no order found that belongs to ""%1"" +","Es wurde keine Bestellung gefunden, die zu „%1“ gehört +" +"Required parameter ""cart_id"" is missing","Pflichtparameter „cart_id“ fehlt" +"The current user cannot perform operations on cart ""%masked_cart_id""","Der aktuelle Benutzer kann keine Aktionen im Warenkorb „%masked_cart_id“ ausführen" +"Missing ""payment_token"" input argument","Fehlendes Eingabeargument „payment_token“" +"No order found with token ""%1"" +","Keine Bestellung mit dem Token „%1“ gefunden +" +"Unable to create online refund, as shipping costs do not match","Die Online-Rückerstattung kann nicht erstellt werden, da die Versandkosten nicht übereinstimmen" +"No order(s) found for transaction id %1","Keine Bestellung(en) zur Transaktionsnummer %1 gefunden" +"We were unable to find the store credit for order #%1","Wir konnten das Shop-Guthaben für die Bestellung #%1 nicht finden" +"The orders have different currencies (%1)","Die Bestellungen liegen in unterschiedlichen Währungen vor (%1)" +"Name on card","Name auf der Karte" +"CVC/CVV","CVC/CVV" +"Save for later use.","Für spätere Verwendung speichern." +"Place Order","Jetzt kaufen" diff --git a/i18n/es_ES.csv b/i18n/es_ES.csv index 3680f60e586..e23fba36d0d 100644 --- a/i18n/es_ES.csv +++ b/i18n/es_ES.csv @@ -1,80 +1,310 @@ -"%1: maximum is set higher than set in Mollie dashboard: %2, please correct.","%1: el máximo está más alto que el establecido en el panel de Mollie: %2, por favor, corrija." -"%1: method not enabled in Mollie Dashboard","%1: método no habilitado en el Panel de Mollie" -"API Details","Detalles API" -"Api key not found","Clave Api no encontrada" -"Back to Webshop","Volver a Webshop" -"Bancontact","Bancontact" -"Banktransfer","Transferencia bancaria" -"Belfius","Belfius" -"Branding","Branding" -"Check the Mollie extension technical requirements by running the self test. In case of a warning or error please contact your Developer or Hosting Company.","Compruebe los requisitos técnicos de la extensión Mollie ejecutando el autodiagnóstico. En caso de una advertencia o error, póngase en contacto con su desarrollador o empresa de hosting." -"Compatibility","Compatibilidad" -"Configure the general Mollie Payment Payment status and Payment Icons.","Configure el estado general del Pago de Mollie, Estado del pago y los Iconos de pago." -"Credit Card","Tarjeta de crédito" -"Customer redirected to Mollie, url: %1","Cliente redirigido a Mollie, url: %1" -"Debug requests","Peticiones de depuración" -"Debug","Depuración" -"Due Days","Fecha de vencimiento" +"Check last 100 debug log records","Comprobar los últimos 100 registros de depuración" +"Run Self-test","Ejecutar prueba automática" +"Check for latest versions","Comprobar últimas versiones" +"Test Apikey","Clave de API de prueba" +"Self Test","Prueba automática" +"Payment Fee","Cuota de pago" +"The latest status from Mollie has been retrieved","Se ha recuperado el último estado de Mollie" +"We cancelled order %1, created this order and marked it as complete.","Hemos cancelado el pedido %1, hemos creado este pedido y lo hemos marcado como completado." +"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Advertencia: recomendamos instalar la extensión de Mollie usando Composer, actualmente está instalada en la carpeta app/code." +"The payment reminder email was successfully send","El correo electrónico de recordatorio de pago se ha enviado correctamente" +"Log is empty","Registro vacío" +"The payment reminder has been removed","Se ha eliminado el recordatorio de pago" +"The selected payment reminders have been removed","Se han eliminado los recordatorios de pago seleccionados" +"Pending Payment Reminders","Recordatorios de pagos pendientes" +"The payment reminder for order #%1 has been sent","Se ha enviado el recordatorio de pago del pedido #%1" +"The payment reminder for %1 order(s) has been sent","Se ha enviado el recordatorio de pago de %1 pedido(s)" +"Sent Payment Reminders","Recordatorios de pago enviados" +"Invalid return, missing order id.","Devolución no válida, falta la ID del pedido." +"Invalid return from Mollie.","Devolución no válida de Mollie." +"There was an error checking the transaction status.","Se ha producido un error al comprobar el estado de la transacción." +"Something went wrong.","Algo ha salido mal." +"Payment canceled, please try again.","Pago cancelado, inténtelo de nuevo." +"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","El pago del tipo %1 ha sido rechazado. La decisión se basa en el pedido y el resultado de la evaluación de riesgos." +"Payment Method not found","Método de pago no encontrado" +"Canceled because an error occurred while redirecting the customer to Mollie","Cancelado porque se ha producido un error al redirigir al cliente a Mollie" +"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Se agotó el tiempo de espera durante la conexión con %1, posiblemente debido a una interrupción. Por favor, inténtelo de nuevo o seleccione otro método de pago." +"The required payment token is not available","El token de pago requerido no está disponible" +"The payment token %1 does not exists","El token de pago %1 no existe" +"Payment cancelled, please try again.","Pago cancelado, inténtelo de nuevo." +"The field ""payment_token"" is required for this request","El campo «payment_token» es obligatorio para esta solicitud" +"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","El cliente de la API de Mollie para PHP no está instalado, para más información sobre este problema visite nuestra página %1." +"Mollie API client for PHP is not installed, for more information about this issue see: %1","El cliente de la API de Mollie para PHP no está instalado, para más información sobre este problema vea: %1" +"The order was canceled","Pedido cancelado" +"The order was canceled, reason: payment %1","Pedido cancelado, razón: pago %1" +"Test API-key: Empty value","Clave de API de prueba: valor vacío" +"Test API-key: Should start with ""test_""","Clave de API de prueba: debería empezar con «test_»" +"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Métodos habilitados: ninguno; por favor, habilite los métodos de pago en su panel de control de Mollie." +"Enabled Methods","Métodos habilitados" +"Test API-key: Success!","Clave de API de prueba: ¡éxito!" +"Test API-key: %1","Clave de API de prueba: %1" +"Live API-key: Empty value","Clave de API activa: valor vacío" +"Live API-key: Should start with ""live_""","Clave de API activa: debería empezar con «live_»" +"Enabled Methods: %1","Métodos habilitados: %1" +"Live API-key: Success!","Clave de API activa: ¡éxito!" +"Live API-key: %1","Clave de API activa: %1" +"Error: The client requires PHP version >= %1, you have %2.","Error: el cliente requiere una versión de PHP >= %1, usted tiene %2." +"Success: PHP version: %1.","Éxito: versión PHP: %1." +"Error: PHP extension JSON is not enabled.","Error: la extensión PHP JSON no está habilitada." +"Please make sure to enable ""json"" in your PHP configuration.","Asegúrese de habilitar «json» en su configuración de PHP." +"Success: JSON is enabled.","Éxito: JSON está habilitada." +"Error: Mollie CompatibilityChecker not found.","Error: CompatibilityChecker de Mollie no encontrado." +"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Advertencia: recomendamos utilizar un estado de pago único para los pagos pendientes por transferencia bancaria" +"Live","Activa" +"Test","Prueba" +"External","Externo" +"Direct","Directo" +"On Authorize","Con autorización" +"On Shipment","Con envío" +"Dropdown","Desplegable" +"List with images","Lista con imágenes" +"Don't show issuer list","No mostrar lista de entidades emisoras" +"Autodetect","Detección automática" +"Store Locale","Configuración regional de la tienda" +"Payments API","API pagos" +"Orders API","API pedidos" +"None","Ninguno" +"First available Mollie method","Primer método disponible de Mollie" +"No","No" +"Percentage","Porcentaje" +"Fixed Fee","Tarifa fija" +"Fixed Fee and Percentage","Tarifa fija y porcentaje" +"-- Use Default --","-- Usar predeterminado --" +"Please select","Seleccione" +"1 hours","1 hora" +"%1 hours","%1 horas" +"Meal","Comida" +"Eco","Eco" +"Gift","Regalo" +"Custom attribute","Atributo personalizado" "Enabled","Habilitado" -"Especially for Developers you can enable the Debug mode.","Especialmente para desarrolladores puede habilitar el modo Depuración." -"General","General" -"iDeal","iDeal" -"Invalid return from Mollie.","Retorno inválido de Mollie." -"Invalid return, missing order id.","Retorno inválido, falta identificación de pedido." -"KBC","KBC" -"Live API Key","Clave API en tiempo real" -"Loading Payment Method...","Cargando método de pago..." -"Maximum Order Total","Total máximo de pedido" -"Minimum Order Total","Total mínimo de pedido" -"Modus","Modo" -"Mollie","Mollie" -"New order email sent","Nuevo pedido enviado por correo electrónico" -"No order found for transaction id %1","No se encontró ningún pedido para la transacción id %1" -"Notified customer about invoice #%1","Cliente notificado sobre la factura nº %1" +"Custom URL","URL personalizada" +"Disabled","Deshabilitada" +"Customer redirected to Mollie","Cliente redirigido a Mollie" +"Created Mollie Checkout Url","Creada Mollie Checkout URL" +"Currency does not match.","La moneda no coincide." +"Mollie: Order Amount %1, Captured Amount %2","Mollie: Importe del pedido %1, importe capturado %2" +"New order email sent","Se ha enviado un nuevo correo electrónico de pedido" +"Unable to send the new order email: %1","No se ha podido enviar el nuevo correo electrónico del pedido: %1" +"Notified customer about invoice #%1","Se ha notificado al cliente sobre la factura #%1" +"Unable to send the invoice: %1","No se ha podido enviar la factura: %1" +"Transaction ID not found","ID de la transacción no encontrada" +"Api key not found","Clave de API no encontrada" +"Mollie (Order ID: %2): %1","Mollie (ID del pedido: %2): %1" +"Class Mollie\Api\MollieApiClient does not exist","Class Mollie\Api\MollieApiClient no existe" +"Shipment already pushed to Mollie","El envío ya se ha insertado en Mollie" +"All items in this order where already marked as shipped in the Mollie dashboard.","Todos los artículos de este pedido ya estaban marcados como enviados en el panel de control de Mollie." +"Mollie API: %1","API de Mollie: %1" +"Shipment ID not found","ID del envío no encontrada" +"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Se ha creado un reembolso fuera de línea, por favor, asegúrese de crear también este reembolso en mollie.com/dashboard o utilice la opción de reembolso en línea." +"Order can only be refunded after Klarna has been captured (after shipment)","El pedido solo puede ser reembolsado después de la captura de Klarna (después del envío)" +"Can not create online refund, as shipping costs do not match","No se puede crear un reembolso en línea porque los gastos de envío no coinciden" +"Mollie: Captured %1, Settlement Amount %2","Mollie: Capturado %1, importe de liquidación %2" "Order not found","Pedido no encontrado" -"Payment cancelled, please try again.","Pago cancelado, por favor inténtelo de nuevo." +"API Key not found","Clave de API no encontrada" +"Error: not possible to create an online refund: %1","Error: no es posible crear un reembolso en línea: %1" +"No order found for transaction id %1","No se ha encontrado ningún pedido para la ID de transacción %1" +"-- Please Select --","-- Seleccione --" +"QR Code","Código QR" +"Could not save the Mollie customer: %1","No se ha podido guardar el cliente Mollie: %1" +"Customer with id ""%1"" does not exist.","El cliente con la ID «%1» no existe." +"Could not delete the Customer: %1","No se ha podido eliminar el cliente: %1" +"Could not save Order Lines. Error: order line not found","No se han podido guardar las líneas de pedido. Error: línea de pedido no encontrada" +"Could not save Order Lines. Error: sku's do not match","No se han podido guardar las líneas de pedido. Error: las SKU no coinciden" +"Could not save the paymentToken: %1","No se pudo guardar el token de pago: %1" +"PaymentToken with id ""%1"" does not exist.","El token de pago con la ID «%1» no existe." +"Could not delete the PaymentToken: %1","No se ha podido eliminar el token de pago: %1" +"Could not save the pendingPaymentReminder: %1","No se ha podido guardar el recordatorio de pago pendiente: %1" +"PendingPaymentReminder with id ""%1"" does not exist.","El recordatorio de pago pendiente con la ID «%1» no existe." +"Could not delete the PendingPaymentReminder: %1","No se ha podido eliminar el recordatorio de pago pendiente: %1" +"Could not save the sentPaymentReminder: %1","No se ha podido guardar el recordatorio de pago enviado: %1" +"SentPaymentReminder with id ""%1"" does not exist.","El recordatorio de pago enviado con la ID «%1» no existe." +"Could not delete the SentPaymentReminder: %1","No se ha podido eliminar el recordatorio de pago enviado: %1" +"%1: method not enabled in Mollie Dashboard","%1: método no habilitado en el panel de control de Mollie" +"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","¿Seguro que quiere hacerlo? Esto cancelará el pedido actual y creará uno nuevo que estará marcado como pagado." +"Mark as paid","Marcar como pagado" +"Send Payment Reminder","Enviar recordatorio de pago" +"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Error: parece que no están presentes todos los atributos de la extensión. Asegúrese de ejecutar `bin/magento setup:di:compile`." +"Warning: Webhooks are currently disabled.","Advertencia: webhooks actualmente deshabilitados." +"Store Credit","Crédito de la tienda" +"We where unable to find the store credit for order #%1","No hemos podido encontrar el crédito de la tienda para el pedido #%1" +"We created a new order with increment ID: %1","Hemos creado un nuevo pedido con ID de incremento: %1" +"There is no order found with token %1","No se ha encontrado ningún pedido con el token %1" +"Order uncanceled by webhook.","Pedido no cancelado por webhook." +"[TEST] An error occured","[PRUEBA] Se ha producido un error" +"Delete","Eliminar" +"Send now","Enviar ahora" +"Create a Mollie Payment link and add this to the order email.","Crear un enlace de pago Mollie y añadirlo al correo electrónico del pedido." +"Limit to the following method(s)","Limitar a los siguientes métodos" +"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Si se elige un método, se saltará la pantalla de selección y se dirigirá al cliente directamente al método de pago." +"This order expires at:","Este pedido expira a:" +"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","No es posible utilizar Klarna Slice it o Klarna Pay later como método cuando su fecha de vencimiento es más de 28 días en el futuro, a menos que se acuerde otro máximo entre el comerciante y Klarna." +"Checkout Type","Tipo de checkout" +"Checkout Url","URL checkout" +"Valid Until","Válido hasta" +"Payment Status","Estado del pago" +"Please ship order to capture Klarna payment","Por favor, envíe el pedido para capturar el pago de Klarna" +"Mollie ID","ID de Mollie" +"View in Mollie dashboard","Ver en el panel de control de Mollie" +"Copy","Copia" +"Update Payment Status","Actualizar el estado del pago" +"Fetch Status","Obtener estado" +"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","El estado del pago se actualizará automáticamente por defecto, pero en caso de cualquier interrupción puede utilizar esta función para obtener el estado del pago manualmente." +"Redirecting to Mollie","Redirigiendo a Mollie" +"Back to Checkout","Volver al checkout" +"Proceed Payment","Proceder al pago" +"Complete your payment from %store_name","Completar su pago de %store_name" +"Dear %name,","Estimado %name:" +"Thank you for shopping at %store_name.","Gracias por comprar en %store_name." +"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Hemos observado que ha realizado un pedido con los siguientes productos pero no ha completado el pago. Utilice el siguiente enlace para completar su pedido y no se quede sin sus artículos." +"Description: Order #%order_id from %store_name","Descripción: Pedir #%order_id de %store_name" +"Click here to complete your payment","Haga clic aquí para completar el pago" +"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Puede ignorar este correo electrónico si:
• No desea completar el pedido
• Ha completado el pedido por otra vía" +"Place order","Realizar el pedido" +"Select Bank","Seleccionar banco" +"Select Giftcard","Seleccionar tarjeta regalo" +"Invalid response received. This indicates an unknown problem.","Se ha recibido una respuesta no válida. Esto indica un problema desconocido." +"Great, you are using the latest version.","Genial, está usando la última versión." +"There is a new version available (%1) see .","Hay una nueva versión disponible (%1) ver ." +"last 100 debug log lines","Últimas 100 líneas de registros de depuración" +"download as .txt file","Descargar como archivo .txt" +"ok","Aceptar" +"last 100 error log records","Últimos 100 registros de errores" +"Self-test","Prueba automática" +"Fetching...","Obteniendo…" +"Error While Fetching","Error durante la obtención" +"Mollie Payment Reminders","Recordatorios de pagos de Mollie" +"Pending","Pendiente" +"Sent","Enviado" +"Apple Pay","Apple Pay" +"Title","Título" +"Method","Método" +"Description","Descripción" +"Integration type","Tipo de integración" +"Days to expire","Días hasta el vencimiento" "Payment from Applicable Countries","Pago desde países aplicables" "Payment from Specific Countries","Pago desde países específicos" -"Paymentmethod not found.","Método de pago no encontrado." +"Minimum Order Total","Total del pedido mínimo" +"Maximum Order Total","Total del pedido máximo" +"Payment Surcharge","Recargo de pago" +"Payment Surcharge fixed amount","Recargo de pago importe fijo" +"Payment Surcharge percentage","Recargo de pago porcentaje" +"Payment Surcharge limit","Recargo de pago límite" +"Payment Surcharge Tax Class","Recargo de pago clase impositiva" +"Sorting Order","Orden de clasificación" +"Bancontact","Contacto bancario" +"Banktransfer","Transferencia bancaria" +"Status Pending","Estado pendiente" +"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Recomendamos utilizar otro estado 'pendiente', ya que el estado pendiente por defecto de Magento puede cancelar automáticamente el pedido antes de que se llegue a la fecha de vencimiento del pago.
Por defecto, el estado «Pago pendiente» no es visible para los clientes, por lo que le aconsejamos que cree un nuevo estado para esto, que también debería ser visible para el cliente, que le informe de que todavía tiene que completar su pago." +"Due Days","Días de vencimiento" +"Belfius","Belfius" +"Credit Card","Tarjeta de crédito" +"Use Mollie Components","Usar componentes de Mollie" +"Enable Single Click Payments","Habilitar pagos con un solo clic" +"SEPA Direct Debit","Adeudo directo SEPA" +"EPS","EPS" +"Giftcard","Tarjeta regalo" +"Issuer List Style","Estilo de la lista de entidades emisoras" +"Giropay","Giropay" +"iDeal","iDeal" +"Add QR-Code option in Issuer List","Añadir opción de código QR en la lista de entidades emisoras" +"ING Homepay","ING Homepay" +"KBC/CBC","KBC/CBC" +"Klarna Pay Later","Klarna Pay Later" +"Klarna Slice","Klarna Slice" +"MyBank","MyBank" +"Payment Link / Admin Payment","Enlace de pago / pago administrativo" +"Add Link to Payment Details","Añadir enlace a los detalles del pago" +"Allow to manually mark as paid?","¿Permitir marcar manualmente como pagado?" +"Payment Message / Link","Mensaje / enlace de pago" +"Status New","Estado nuevo" "Paypal","Paypal" "Paysafecard","Paysafecard" -"Place Order","Hacer pedido" -"Proceed Payment","Proceder al pago" -"Select Bank","Seleccione un banco" -"Select Giftcard","Seleccione Tarjeta regalo" -"Self Test","Autodiagnóstico" -"Send Invoice Email","Enviar factura por correo electrónico" -"Set the order status before the customer is redirected to Payment Gateway","Establecer el estado del pedido antes de que el cliente sea redirigido a la pasarela de pago" -"Set the order status for Completed Payments","Establecer el estado del pedido para Pagos completados" -"Settings","Ajustes" -"Show Icons","Mostrar Iconos" -"Show Payment Icons on Checkout","Mostrar iconos de pago en el proceso de pago" +"Przelewy24","Przelewy24" "Sofort","Sofort" -"Something went wrong.","Algo salió mal." -"Sort Order","Tipo de Pedido" -"Status Pending","Estado Pendiente" -"Status Processing","Estado Procesando" -"Test API Key","Probar clave de API" -"The order was canceled","El pedido ha sido cancelado" -"There was an error checking the transaction status.","Se ha producido un error al verificar el estado de la operación." -"The number of days after which the payment should expire. Please note: Minimum is 1 and the maximum is 100.","El número de días después de los cuales debe expirar el pago. Nota: El mínimo es 1 y el máximo es 100." -"Title","Título" -"Transaction ID not found","No se ha encontrado el ID de la transacción" -"Use Loading Screen","Use la pantalla de carga" -"Use loading screen before redirect. This will enable mobile users to use the back button.","Utilice la pantalla de carga antes de redirigir. Esto permitirá a los usuarios móviles utilizar el botón Atrás." +"Voucher","Vale" +"Category","Categoría" +"Product attribute","Atributo del producto" +"Mollie","Mollie" +"General","General" +"Branding","Marca" "Version","Versión" -"When activated the debug file will be located in: var/log/mollie.log","Cuando se active, el archivo de depuración estará ubicado en: var/log/mollie.log" -"You can find your Api Keys in your Mollie Profile.
","Puede encontrar las claves Api en su Perfil Mollie.
" -"Live","A tiempo real" -"Test","Comprobación" -"Select Bank...","Seleccione un banco..." -"Note: By default the status Pending Payment is not visible for customers on the frontend"," le aconsejamos crear un nuevo estado visible para esto" -"Extension Version","Versión de la Extensión" -"Multi Currency","Multi Currency" -"Always use base Currency", "Use siempre moneda base" -"Force use of base currency for the payment request. Is set to no the selected currency of the storeview will be used for request.","Forzar el uso de la moneda base para la solicitud de pago. Está configurado como "no", la moneda seleccionada del storeview será usada para la solicitud." -"Debugging","Depuración" "API Details","Detalles de la API" -"Api Test","Prueba de la API" -"Language Payment Page","Idioma Página de pago" -"Let Mollie automatically detect the language or force the language from the store view.","Deje que Mollie detecte automáticamente el idioma o forzarlo para la vista de la tienda en cuestión." \ No newline at end of file +"You can find your Api Keys in your Mollie Profile.
","Puede encontrar sus claves de Api en su perfil de Mollie.
" +"Modus","Modo" +"Test API Key","Clave de API de prueba" +"Live API Key","Clave de API activa" +"Profile ID","ID perfil" +"Settings","Ajustes" +"Show Icons","Mostrar iconos" +"Default selected method","Método seleccionado por defecto" +"Debug & Logging","Depuración y registro" +"Debug","Depuración" +"Especially for Developers you can enable the Debug mode.","Especialmente para los desarrolladores puede habilitar el modo de depuración." +"Debug requests","Solicitudes de depuración" +"Payment Methods","Métodos de pago" +"Advanced","Avanzado" +"Statuses","Estados" +"Set the order status before the customer is redirected to Payment Gateway","Establecer el estado del pedido antes de que el cliente sea redirigido a la pasarela de pago" +"Status Processing","Estado procesando" +"Set the order status for Completed Payments","Establecer el estado del pedido para los pagos completados" +"Triggers & Languages","Desencadenadores y lenguas" +"When to create the invoice?","¿Cuándo crear la factura?" +"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","¿Cuándo quiere crear la factura para Klarna Payments?
Con autorización: Crear una factura completa cuando el pedido es autorizado.
Con envío: Crear una factura (parcial) cuando se cree un envío." +"Send Invoice Email","Enviar factura por correo electrónico" +"Set the notification for to Notify the customer with the Invoice","Establecer la notificación para notificar al cliente con la factura" +"Cancel order when connection Fails","Cancelar el pedido cuando la conexión falla" +"Include shipping in Surcharge calculation","Incluir el envío en el cálculo del recargo" +"Use Base Currency","Usar la moneda base" +"Language Payment Page","Idioma página de pago" +"Let Mollie automatically detect the language or force the language from the store view.","Dejar que Mollie detecte automáticamente el idioma o forzar el idioma desde la vista de la tienda." +"Show Transaction Details","Mostrar detalles de la transacción" +"Use Loading Screen","Usar pantalla de carga" +"PWA Storefront Integration","Integración escaparate PWA" +"Advanced: PWA storefront integration","Avanzado: integración escaparate PWA" +"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Utilice esta función solo si desea integrar la extensión de Mollie con un escaparate PWA. Puede encontrar más información aquí." +"Use custom return url?","¿Usar URL de retorno personalizada?" +"Custom return url","URL de retorno personalizada" +"Second Chance Email","Correo electrónico de segunda oportunidad" +"Second Chance Email","Correo electrónico de segunda oportunidad" +"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Envíe un correo electrónico a los clientes con un pago fallido o no finalizado para darles una segunda oportunidad de finalizar el pago a través del enlace de pago y reactivar su pedido.
Puede enviar estos recordatorios de pago manualmente o activar el correo electrónico de forma totalmente automática." +"Enable Second Chance Email","Habilitar correo electrónico de segunda oportunidad" +"Second Chance Email Template","Plantilla correo electrónico de segunda oportunidad" +"Automatically Send Second Chance Emails","Enviar automáticamente correos electrónicos de segunda oportunidad" +"Second Chance Email Delay","Retraso correo electrónico de segunda oportunidad" +"Mollie Payment Fee","Cuota de pago de Mollie" +"Payment fee","Cuota de pago" +"Delete items","Eliminar elementos" +"Are you sure you want to delete selected items?","¿Seguro que quiere eliminar los elementos seleccionados?" +"Warning","Advertencia" +"This action is time-consuming and the page can time out when there are too many items selected","Esta acción requiere tiempo y se puede agotar el tiempo de espera de la página si hay demasiados elementos seleccionados" +"Increment ID","ID de incremento" +"Firstname","Nombre" +"Lastname","Apellidos" +"E-mail","Correo electrónico" +"Name on card","Nombre en la tarjeta" +"Card Number","Número de la tarjeta" +"CVC/CVV","CVC/CVV" +"Expiry Date","Fecha de expiración" +"Failed to initialize product","Fallo en la inicialización del producto" +"Your session has expired","Su sesión ha expirado" +"Product not found","Producto no encontrado" +"We can't add this item to your shopping cart right now.","No podemos añadir este artículo a su cesta de la compra en este momento." +"No transaction ID found","ID de transacción no encontrada" +"There is no order found that belongs to ""%1"" +","No se ha encontrado ningún pedido que pertenezca a «%1» +" +"Required parameter ""cart_id"" is missing","Falta el parámetro requerido «cart_id»" +"The current user cannot perform operations on cart ""%masked_cart_id""","El usuario actual no puede realizar operaciones en el carro «%masked_cart_id»" +"Missing ""payment_token"" input argument","Falta el argumento de entrada «payment_token»" +"No order found with token ""%1"" +","No se ha encontrado ningún pedido con el token «%1» +" +"Unable to create online refund, as shipping costs do not match","No se puede crear un reembolso en línea porque los gastos de envío no coinciden" +"No order(s) found for transaction id %1","No se ha encontrado ningún pedido para la ID de transacción %1" +"We were unable to find the store credit for order #%1","No hemos podido encontrar el crédito de la tienda para el pedido #%1" +"The orders have different currencies (%1)","Los pedidos tienen monedas diferentes (%1)" +"Name on card","Nombre en la tarjeta" +"CVC/CVV","CVC/CVV" +"Save for later use.","Guárdelo para usarlo más tarde." +"Place Order","Realizar el pedido" diff --git a/i18n/fr_FR.csv b/i18n/fr_FR.csv index 053f7bc4aa6..7a8d700aa82 100644 --- a/i18n/fr_FR.csv +++ b/i18n/fr_FR.csv @@ -1,288 +1,310 @@ -"Check last 100 debug log records","Vérifier les 100 derniers rapports du journal de débogage" -"Run Self-test","Exécuter l'autocontrôle" -"Check for latest versions","Rechercher des versions plus récentes" -"Test Apikey","Test d'Apikey" -"Self Test","Autocontrôle" -"Payment Fee","Frais de paiement" -"The latest status from Mollie has been retrieved","Le dernier statut Mollie a été récupéré" -"We cancelled order %1, created this order and marked it as complete.","Nous avons annulé la commande %1, créé cette commande puis marquée comme complète." -"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Attention : Nous recommandons d'installer l'extension Mollie avec Composer, elle est actuellement installée dans le fichier app/code." -"The payment reminder email was successfully send","L'e-mail de rappel de paiement a été correctement envoyé" +"Check last 100 debug log records","Vérifier les 100derniers enregistrements du journal de débogage" +"Run Self-test","Exécuter l'autotest" +"Check for latest versions","Vérifier les dernières versions" +"Test Apikey","Clé API test" +"Self Test","Autotest" +"Payment Fee","Frais à payer" +"The latest status from Mollie has been retrieved","Le dernier statut de Mollie a été récupéré" +"We cancelled order %1, created this order and marked it as complete.","Nous avons annulé la commande %1, créé cette commande et l'avons marqué comme terminée." +"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Avertissement: nous vous recommandons d'installer l'extension Mollie en utilisant Composer, il se trouve actuellement dans le dossier app/code." +"The payment reminder email was successfully send","Le courriel de relance de paiement a bien été envoyé" "Log is empty","Le journal est vide" -"The payment reminder has been removed","Le rappel de paiement a été supprimé" -"The selected payment reminders have been removed","Les rappels de paiement sélectionnés ont été supprimés" -"Pending Payment Reminders","Rappels de paiement en attente" -"The payment reminder for order #%1 has been sent","Le rappel de paiement pour la commande #%1 a été envoyé" -"The payment reminder for %1 order(s) has been sent","Le rappel de paiement pour %1 commande(s) a été envoyé" -"Sent Payment Reminders","Envoyer les rappels de paiement" -"Invalid return, missing order id.","Retour non valide, numéro de commande manquant." +"The payment reminder has been removed","La relance de paiement a été annulée" +"The selected payment reminders have been removed","Les relances de paiement sélectionnées ont été supprimées" +"Pending Payment Reminders","Relances de paiement en attente" +"The payment reminder for order #%1 has been sent","La relance de paiement pour la commande #%1 a été envoyée" +"The payment reminder for %1 order(s) has been sent","La relance de paiement pour le (les) commande(s) %1 a été envoyée" +"Sent Payment Reminders","Relances de paiement envoyées" +"Invalid return, missing order id.","Retour non valide, ID de commande manquant." "Invalid return from Mollie.","Retour non valide de Mollie." -"There was an error checking the transaction status.","Il y a eu une erreur lors de la vérification du statut de la transaction." -"Something went wrong.","Un problème est survenu." +"There was an error checking the transaction status.","Une erreur s'est produite lors de la vérification du statut de la transaction." +"Something went wrong.","Une erreur s'est produite." "Payment canceled, please try again.","Paiement annulé, veuillez réessayer." -"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Le paiement de type %1 a été rejeté. La décision est fonction de la commande et du résultat de l'analyse de risque." -"Payment Method not found","Moyen de paiement non trouvé" -"Canceled because an error occurred while redirecting the customer to Mollie","Annulé en raison d'une erreur survenue lors de la redirection du client vers Mollie" -"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Un arrêt en se connectant à %1 est survenu, cela peut être le résultat d'une panne. Veuillez réessayer ou choisir un autre moyen de paiement." -"The required payment token is not available","Le jeton de paiement requis n'est pas disponible" -"The payment token %1 does not exists","Le jeton de paiement %1 n'existe pas" +"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Le paiement de type %1 a été rejeté. La décision s'appuie sur la commande et la conclusion de l'évaluation des risques." +"Payment Method not found","Aucune méthode de paiement n'a été trouvée" +"Canceled because an error occurred while redirecting the customer to Mollie","Annulée, car une erreur est survenue pendant la redirection du client vers Mollie" +"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Un délai est survenu lors de la connexion à %1, une panne peut en être l'origine. Veuillez réessayer ou sélectionner une autre méthode de paiement." +"The required payment token is not available","Le jeton de paiement requis n’est pas disponible" +"The payment token %1 does not exists","Le jeton de paiement %1 n'existe pas." "Payment cancelled, please try again.","Paiement annulé, veuillez réessayer." -"The field ""payment_token"" is required for this request","Le champ « jeton_de_paiement » est requis pour cette demande" -"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","L'API client Mollie pour PHP n'est pas installée, pour plus d'information sur ce problème consultez notre page %1." -"Mollie API client for PHP is not installed, for more information about this issue see: %1","L'API client Mollie pour PHP n'est pas installée, pour plus d'information sur ce problème consultez : %1." +"The field ""payment_token"" is required for this request","Le champ «payment_token» est obligatoire pour cette requête" +"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","L'API Mollie client pour PHP n'est pas installée, pour plus d'informations sur ce problème, consulter notre page%1" +"Mollie API client for PHP is not installed, for more information about this issue see: %1","L'API Mollie client pour PHP n'est pas installée, pour plus d'informations sur ce problème, consulter:%1" "The order was canceled","La commande a été annulée" -"The order was canceled, reason: payment %1","La commande a été annulée, cause : paiement %1" -"Test API-key: Empty value","Test clé API : Valeur vide" -"Test API-key: Should start with ""test_""","Test clé API : Doit commencer par « test_ »" -"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Moyens activés : Aucun, Veuillez activer les moyens de paiement sur votre tableau de bord Mollie. " -"Enabled Methods","Moyens activés" -"Test API-key: Success!","Test clé API : Succès !" -"Test API-key: %1","Test clé API : %1" -"Live API-key: Empty value","Live clé API : Valeur vide" -"Live API-key: Should start with ""live_""","Live clé API : Doit commencer par « live_ »" -"Enabled Methods: %1","Moyens activés : %1" -"Live API-key: Success!","Live clé API : Succès !" -"Live API-key: %1","Live clé API : %1" -"Error: The client requires PHP version >= %1, you have %2.","Erreur : Le client requiert la version PHP >=%1, vous avez %2." -"Success: PHP version: %1.","Succès : version PHP %1." -"Error: PHP extension JSON is not enabled.","Erreur : l'extension PHP JSON n'est pas activée." -"Please make sure to enable ""json"" in your PHP configuration.","Assurez-vous d'activer « json » dans votre configuration PHP." -"Success: JSON is enabled.","Succès : JSON est activé." -"Error: Mollie CompatibilityChecker not found.","Erreur : Vérificateur de compatibilité Mollie non trouvé." -"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Attention : Nous recommandons d'utiliser un statut de paiement unique pour les paiements par virement bancaire en attente" +"The order was canceled, reason: payment %1","La commande a été annulée au motif: paiement %1" +"Test API-key: Empty value","Clé API test: valeur nulle" +"Test API-key: Should start with ""test_""","Clé API test: doit commencer par «test_»" +"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Méthodes disponibles: aucune, veuillez activer les méthodes de paiement dans votre tableau de bord Mollie." +"Enabled Methods","Méthodes disponibles" +"Test API-key: Success!","Clé API test: réussite!" +"Test API-key: %1","Clé API test: %1" +"Live API-key: Empty value","Clé API live: valeur nulle" +"Live API-key: Should start with ""live_""","Clé API live: La clé doit commencer par «live_»" +"Enabled Methods: %1","Méthodes disponibles:%1" +"Live API-key: Success!","Clé API live: réussite!" +"Live API-key: %1","Clés API live: %1" +"Error: The client requires PHP version >= %1, you have %2.","Erreur: Le client requiert la version PHP >= %1, vous avez %2." +"Success: PHP version: %1.","Succès: version PHP: %1." +"Error: PHP extension JSON is not enabled.","Erreur: L'extension PHP JSON n'est pas activée." +"Please make sure to enable ""json"" in your PHP configuration.","Assurez-vous d’activer «json» dans votre configuration PHP." +"Success: JSON is enabled.","Succès: JSON est activé." +"Error: Mollie CompatibilityChecker not found.","Erreur: CompatibilityChecker Mollie non trouvé." +"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Avertissement: nous vous recommandons d'utiliser un statut de paiement unique pour les paiements par virement bancaire en attente" "Live","Live" "Test","Test" "External","Externe" "Direct","Direct" -"On Authorize","À autoriser" +"On Authorize","À l'autorisation" "On Shipment","À l'expédition" "Dropdown","Liste déroulante" "List with images","Liste avec images" -"Don't show issuer list","N'affiche pas la liste d'émetteurs " +"Don't show issuer list","Ne pas afficher la liste des émetteurs" "Autodetect","Autodétection" -"Store Locale","Emplacement magasin" -"Payments API","API de paiement" -"Orders API","API de commande" +"Store Locale","Stockage local" +"Payments API","API Paiements" +"Orders API","API commandes" "None","Aucun" -"First available Mollie method","Premier moyen disponible Mollie" +"First available Mollie method","Première méthode Mollie disponible" "No","Non" "Percentage","Pourcentage" "Fixed Fee","Frais fixes" "Fixed Fee and Percentage","Frais fixes et pourcentage" -"-- Use Default --","-- Utiliser par défaut --" +"-- Use Default --","-- Par défaut --" "Please select","Veuillez sélectionner" -"1 hours","1 heures" -"%1 hours","1% heures" +"1 hours","1 heure" +"%1 hours","%1 heures" "Meal","Repas" "Eco","Eco" "Gift","Cadeau" -"Custom attribute","Attribut personnalisé" +"Custom attribute","Attributs personnalisés" "Enabled","Activé" "Custom URL","URL personnalisée" "Disabled","Désactivé" -"Customer redirected to Mollie","Client redirigé vers Mollie" -"Created Mollie Checkout Url","Création de l'URL de checkout Mollie" -"Currency does not match.","La devise ne correspond pas." -"Mollie: Order Amount %1, Captured Amount %2","Mollie : Montant de commande %1, Montant des saisies %2" -"New order email sent","E-mail de nouvelle commande envoyé" -"Unable to send the new order email: %1","Impossible d'envoyer l'e-mail de nouvelle commande : %1" -"Notified customer about invoice #%1","Client informé de la facture #%1" -"Unable to send the invoice: %1","Impossible d'envoyer la facture : %1" -"Transaction ID not found","Numéro de transaction non trouvé" -"Api key not found","Clé Api non trouvée" -"Mollie (Order ID: %2): %1","Mollie (numéro de commande : %2) : %1" -"Class Mollie\Api\MollieApiClient does not exist","Catégorie Mollie\Api\ApiClientMollie n'existe pas" -"Shipment already pushed to Mollie","Envoi déjà effectué à Mollie" -"All items in this order where already marked as shipped in the Mollie dashboard.","Tous les articles de cette commande sont marqués comme envoyés sur le tableau de bord Mollie." -"Mollie API: %1","API Mollie : %1" -"Shipment ID not found","Numéro d'envoi non trouvé" -"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Un remboursement hors ligne a été créé, veuillez vous assurer de créer également ce remboursement sur mollie.com/dashboard ou utilisez l'option de remboursement en ligne." -"Order can only be refunded after Klarna has been captured (after shipment)","La commande ne peut être remboursée qu'après la saisie de Klarna (après envoi)" -"Can not create online refund, as shipping costs do not match","Le remboursement en ligne ne peut pas être créé car les frais d'expédition ne correspondent pas" -"Mollie: Captured %1, Settlement Amount %2","Mollie : Saisie %1, Montant du règlement %2" +"Customer redirected to Mollie","Client redirigé vers Mollie." +"Created Mollie Checkout Url","Url Mollie Checkout créée" +"Currency does not match.","La devise ne fonctionne pas." +"Mollie: Order Amount %1, Captured Amount %2","Mollie: montant commande %1, montant retenu %2" +"New order email sent","Notification de nouvelle commande envoyée" +"Unable to send the new order email: %1","Impossible d'envoyer la notification de nouvelle commande: %1" +"Notified customer about invoice #%1","Client notifié au sujet de la facture #%1" +"Unable to send the invoice: %1","Impossible d'envoyer la facture: %1" +"Transaction ID not found","ID de transaction non trouvé" +"Api key not found","Clé API non trouvée" +"Mollie (Order ID: %2): %1","Mollie (commande ID: %2): %1" +"Class Mollie\Api\MollieApiClient does not exist","La classe Mollie\Api\MollieApiClient n’existe pas." +"Shipment already pushed to Mollie","Expédition déjà dirigée vers Mollie." +"All items in this order where already marked as shipped in the Mollie dashboard.","Tous les articles de cette commande sont déjà marqués comme expédiés dans le tableau de bord Mollie." +"Mollie API: %1","API Mollie: %1" +"Shipment ID not found","ID d'expédition non trouvé" +"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Un remboursement a été créé hors connexion, veillez à créer ce remboursement également sur mollie.com/dashboard ou utilisez l'option de remboursement en ligne." +"Order can only be refunded after Klarna has been captured (after shipment)","La commande ne peut être remboursée qu'après captationpar Klarna (après expédition)" +"Can not create online refund, as shipping costs do not match","Impossible de créer le remboursement en ligne, car le coût de livraison ne correspond pas" +"Mollie: Captured %1, Settlement Amount %2","Mollie: capté %1, montant du règlement%2" "Order not found","Commande non trouvée" "API Key not found","Clé API non trouvée" -"Error: not possible to create an online refund: %1","Erreur : impossible de créer un remboursement en ligne : %1" -"No order found for transaction id %1","Aucune commande trouvée pour le numéro de transaction %1" +"Error: not possible to create an online refund: %1","Erreur: impossible de créer un remboursement en ligne: %1" +"No order found for transaction id %1","Aucune commande trouvée pour la transaction id %1" "-- Please Select --","-- Veuillez sélectionner --" -"QR Code","Code QR" -"Could not save the Mollie customer: %1","N'a pas pu sauvegarder le client Mollie : %1" -"Customer with id ""%1"" does not exist.","Le client numéro « %1 » n'existe pas." -"Could not delete the Customer: %1","N'a pas pu supprimer le client : %1" -"Could not save Order Lines. Error: order line not found","N'a pas pu sauvegarder les lignes de commande. Erreur : ligne de commande non trouvée" -"Could not save Order Lines. Error: sku's do not match","N'a pas pu sauvegarder les lignes de commande. Erreur : l'ugs ne correspond pas" -"Could not save the paymentToken: %1","N'a pas pu sauvegarder le jeton de paiement : %1" -"PaymentToken with id ""%1"" does not exist.","Le jeton de paiement numéro « %1 » n'existe pas." -"Could not delete the PaymentToken: %1","N'a pas pu supprimer le jeton de paiement : %1" -"Could not save the pendingPaymentReminder: %1","N'a pas pu sauvegarder le rappel de paiement en attente : %1" -"PendingPaymentReminder with id ""%1"" does not exist.","Le rappel de paiement en attente numéro « %1 » n'existe pas." -"Could not delete the PendingPaymentReminder: %1","N'a pas pu supprimer le rappel de paiement en attente : %1" -"Could not save the sentPaymentReminder: %1","N'a pas pu sauvegarder le rappel de paiement envoyé : %1" -"SentPaymentReminder with id ""%1"" does not exist.","Le rappel de paiement envoyé numéro « %1 » n'existe pas." -"Could not delete the SentPaymentReminder: %1","N'a pas pu supprimer le rappel de paiement envoyé : %1" -"%1: method not enabled in Mollie Dashboard","%1 : moyen non activé sur le tableau de bord Mollie" -"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Êtes-vous sûr de vouloir procéder ? Cela annulera la commande actuelle pour en créer une nouvelle qui sera marquée comme payée." -"Mark as paid","Marquer comme payé" -"Send Payment Reminder","Envoyer rappel de paiement" -"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Erreur : Il semble que tous les attributs des extensions ne sont pas présents. Assurez-vous d'exécuter `bin/magento setup:di:compile`." -"Warning: Webhooks are currently disabled.","Attention : Les webhooks sont actuellement désactivés." +"QR Code","QR Code" +"Could not save the Mollie customer: %1","Impossible d'enregistrer le client Mollie: %1" +"Customer with id ""%1"" does not exist.","Le client avec id ""%1"" n'existe pas." +"Could not delete the Customer: %1","Impossible de supprimer le client: %1" +"Could not save Order Lines. Error: order line not found","Impossible d'enregistrer les lignes de commande. Erreur: ligne de commande non trouvée" +"Could not save Order Lines. Error: sku's do not match","Impossible d'enregistrer les lignes de commande. erreur: skus non compatibles" +"Could not save the paymentToken: %1","Impossible d'enregistrer le jeton de paiement: %1" +"PaymentToken with id ""%1"" does not exist.","Le jeton de paiement avec id ""%1"" n'existe pas." +"Could not delete the PaymentToken: %1","Impossible de supprimer le jeton de paiement: %1" +"Could not save the pendingPaymentReminder: %1","Impossible d'enregistrer la relance de paiement en attente: %1" +"PendingPaymentReminder with id ""%1"" does not exist.","La relance de paiement en attente avec id ""%1"" n'existe pas." +"Could not delete the PendingPaymentReminder: %1","Impossible de supprimer la relance de paiement en attente: %1" +"Could not save the sentPaymentReminder: %1","Impossible d'enregistrer la relance de paiement envoyée: %1" +"SentPaymentReminder with id ""%1"" does not exist.","La relance de paiement envoyée avec id ""%1"" n'existe pas." +"Could not delete the SentPaymentReminder: %1","Impossible de supprimer la relance de paiement envoyée: %1" +"%1: method not enabled in Mollie Dashboard","%1: méthode non activée dans le tableau de bord Mollie" +"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Voulez-vous vraiment faire cela? Cela supprimera la commande actuelle et en créera une nouvelle qui sera marquée comme étant payée" +"Mark as paid","Marquer comme étant payé" +"Send Payment Reminder","Envoyer la relance de paiement" +"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Erreur: il semble que tous les attributs d'extension ne sont pas présents. Assurez-vous d'exécuter `bin/magento setup:di:compile`." +"Warning: Webhooks are currently disabled.","Avertissement: les webhooks sont actuellement désactivés" "Store Credit","Crédit magasin" -"We where unable to find the store credit for order #%1","Nous n'avons pas pu trouver le crédit magasin pour la commande #%1" -"We created a new order with increment ID: %1","Nous avons créé une nouvelle commande avec le numéro d'incrément : %1" +"We where unable to find the store credit for order #%1","Impossible de trouver le crédit magasin pour la commande #%1" +"We created a new order with increment ID: %1","Nous avons créé une nouvelle commande avec ID d'augmentation: %1" "There is no order found with token %1","Aucune commande trouvée avec le jeton %1" -"Order uncanceled by webhook.","Commande non annulée par le webhook." -"[TEST] An error occured","[TEST] Une erreur est survenue" +"Order uncanceled by webhook.","Commande non supprimée par webhook." +"[TEST] An error occured","[TEST] Une erreur s'est produite" "Delete","Supprimer" "Send now","Envoyer maintenant" -"Create a Mollie Payment link and add this to the order email.","Créer un lien de paiement Mollie et l'ajouter à l'e-mail de la commande." -"Limit to the following method(s)","Limiter au(x) moyen(s) suivant(s)" -"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Si un moyen est sélectionné, l'écran de sélection est ignoré et le client directement dirigé vers le moyen de paiement." -"This order expires at:","Cette commande expire à " -"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Il n'est pas possible d'utiliser Klarna Slice it ou Klarna Pay Later si votre échéance est de plus de 28 jours, à moins qu'une limite différente soit convenue entre le commerçant et Klarna." -"Checkout Type","Type de checkout" -"Checkout Url","Url de checkout" -"Valid Until","Valide jusqu'à" +"Create a Mollie Payment link and add this to the order email.","Créez un lien pour paiement Mollie et ajoutez-le à la notification de commande." +"Limit to the following method(s)","Limite de(s) méthode(s) suivante(s)" +"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Lorsqu'une méthode est présélectionnée, l'écran de sélection n'est pas proposé et le client accède directement à la méthode de paiement." +"This order expires at:","Expiration de cette commande:" +"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Les Méthodes Klarna Slice et Klarna Pay ne peuvent pas être utilisées ultérieurement comme lorsque votre date d'expiration se situe à plus de 28jours dans le futur, sauf si le commerçant et Klarna ont convenu d'un autre maximum." +"Checkout Type","Type Checkout" +"Checkout Url","Url Checkout" +"Valid Until","Valable jusqu'au" "Payment Status","Statut du paiement" -"Please ship order to capture Klarna payment","Veuillez envoyer la commande pour saisir le paiement Klarna" -"Mollie ID","Identifiant Mollie" -"View in Mollie dashboard","Afficher dans le tableau de bord Mollie" +"Please ship order to capture Klarna payment","Merci d'expédier la commande pour enregistrer le paiement Klarna" +"Mollie ID","ID Mollie" +"View in Mollie dashboard","Visualiser dans Mollie Dashboard" "Copy","Copier" -"Update Payment Status","Mettre à jour le statut du paiement" -"Fetch Status","Récupérer le statut" -"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","Le statut du paiement sera par défaut automatiquement mis à jour, en cas d'interruption vous pouvez utiliser cette fonction pour récupérer manuellement le statut du paiement." -"Redirecting to Mollie","Redirection vers Mollie" -"Back to Checkout","Retourner au checkout" +"Update Payment Status","Mettre à jour statut de paiement" +"Fetch Status","Extraire l'état" +"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","Le statut du paiement sera automatiquement mis à jour par défaut, mais en cas d'interruption quelconque, vous pouvez utiliser cette fonction pour extraire le statut de paiement manuellement." +"Redirecting to Mollie","Redirection vers Mollie." +"Back to Checkout","Retour à Checkout" "Proceed Payment","Procéder au paiement" -"Complete your payment from %store_name","Effectuez votre paiement depuis %nom_magasin" -"Dear %name,","Cher(e) %nom," -"Thank you for shopping at %store_name.","Merci pour vos achats chez %nom_magasin" -"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Vous avez passé commande des produits suivants sans effectuer le paiement. Utilisez le lien ci-dessous pour finaliser votre commande et être sûr de ne pas passer à côté de vos articles !" -"Description: Order #%order_id from %store_name","Description : Commande #%numéro_de_commande depuis %nom_magasin" -"Click here to complete your payment","Cliquez ici pour effectuer votre paiement" -"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Vous pouvez ignorer cet e-mail si vous :
• Ne désirez pas finaliser la commande
• Avez finalisé la commande par un autre moyen." -"Place order","Passer commande" -"Select Bank","Choisir une banque" -"Select Giftcard","Choisir une carte-cadeau" -"Invalid response received. This indicates an unknown problem.","Réponse reçue non valide. Cela signale un problème inconnu." -"Great, you are using the latest version.","Formidable, vous utilisez la dernière version." +"Complete your payment from %store_name","Compléter votre paiement depuis %store_name" +"Dear %name,","Cher/chère %name" +"Thank you for shopping at %store_name.","Merci pour votre achat chez %store_name." +"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Nous avons remarqué que vous avez passé une commande pour les articles suivants, mais que votre paiement n'est pas terminé. Utilisez le lien ci-dessous pour compléter votre commande et assurez-vous de n'oublier aucun article!" +"Description: Order #%order_id from %store_name","Description: Commande #%order_id from %store_name" +"Click here to complete your payment","Cliquez ici pour terminer votre paiement" +"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Vous pouvez ignorer cette notification dans les cas suivants:
• Vous ne souhaitez pas finaliser cette commande
• vous avez déjà finalisé cette commande par un autre moyen." +"Place order","Passer une commande" +"Select Bank","Sélectionner une banque" +"Select Giftcard","Sélectionner une carte cadeau" +"Invalid response received. This indicates an unknown problem.","Réponse non valide reçue. Cela signale un problème inconnu." +"Great, you are using the latest version.","Super, vous utilisez la dernière version." "There is a new version available (%1) see .","Une nouvelle version est disponible (%1) voir ." -"last 100 debug log lines","100 dernières lignes du journal de débogage" -"download as .txt file","télécharger au format .txt" -"ok","ok" -"last 100 error log records","100 derniers rapports du journal d'erreur" -"Self-test","Autocontrôle" -"Fetching...","Récupération..." -"Error While Fetching","Erreur lors de la récupération" -"Mollie Payment Reminders","Rappels de paiement Mollie" +"last 100 debug log lines","les 100dernières lignes du journal de débogage" +"download as .txt file","téléchargement en fichier .txt" +"ok","OK" +"last 100 error log records","100 derniers enregistrements du journal d'erreurs" +"Self-test","Autotest" +"Fetching...","Extraire..." +"Error While Fetching","Erreur pendant l'extraction" +"Mollie Payment Reminders","Relances de paiement Mollie" "Pending","En attente" "Sent","Envoyé" "Apple Pay","Apple Pay" "Title","Titre" -"Method","Moyen" +"Method","Mode" "Description","Description" "Integration type","Type d'intégration" "Days to expire","Jours avant expiration" -"Payment from Applicable Countries","Paiement depuis des pays en vigueur" -"Payment from Specific Countries","Paiement depuis des pays spécifiques" -"Minimum Order Total","Total minimal de la commande" -"Maximum Order Total","Total maximal de la commande" -"Payment Surcharge","Supplément de paiement" -"Payment Surcharge fixed amount","Supplément de paiement montant fixe" -"Payment Surcharge percentage","Supplément de paiement pourcentage" -"Payment Surcharge limit","Limite du supplément de paiement" -"Payment Surcharge Tax Class","Classe d'imposition du supplément de paiement" -"Sorting Order","Trier la commande" +"Payment from Applicable Countries","Paiement issu de pays adhérents" +"Payment from Specific Countries","Paiements issus de pays spécifiques" +"Minimum Order Total","Montant total minimum de commande" +"Maximum Order Total","Montant total maximum de commande" +"Payment Surcharge","Majoration de paiement" +"Payment Surcharge fixed amount","Montant fixe pour majoration de paiement" +"Payment Surcharge percentage","Pourcentage de majoration de paiement" +"Payment Surcharge limit","Limite de majoration de paiement" +"Payment Surcharge Tax Class","Classe fiscale pour majoration de paiement" +"Sorting Order","Tri des commandes" "Bancontact","Bancontact" "Banktransfer","Virement bancaire" "Status Pending","Statut en attente" -"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Nous vous recommandons d'utiliser un autre statut « en attente », car le statut « en attente » par défaut de Magento peut automatiquement annuler la commande avant que l'échéance de paiement ne soit atteinte.
Par défaut, le statut « paiement en attente » n'est pas visible par les clients, c'est pourquoi nous vous conseillons de créer un nouveau statut, qui soit aussi visible par les clients pour les informer qu'ils n'ont pas encore effectuer le paiement." +"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Nous vous recommandons d'utiliser un autre statut «en attente», car le statut en attente Magento par défaut peut annuler automatiquement la commande avant même l'expiration du délai de paiement.
Comme le statut «Paiement en attente» n'est pas visible par défaut par les clients, nous vous recommandons de créer un nouveau statut qui sera visible par la clientèle et l'informera qu'elle doit finaliser son paiement." "Due Days","Jours d'échéance" "Belfius","Belfius" "Credit Card","Carte de crédit" -"Use Mollie Components","Utiliser les composants Mollie" -"Enable Single Click Payments","Activer les paiements en un clic" -"SEPA Direct Debit","Débit direct SEPA" +"Use Mollie Components","Utilisez les composants Mollie" +"Enable Single Click Payments","Activer les paiements Single Click" +"SEPA Direct Debit","SEPA débit direct" "EPS","EPS" -"Giftcard","Carte-cadeau" -"Issuer List Style","Style de la liste d'émetteurs" +"Giftcard","Carte cadeau" +"Issuer List Style","Style Liste émetteurs" "Giropay","Giropay" -"iDeal","iDeal" -"Add QR-Code option in Issuer List","Ajouter l'option code QR à la liste d'émetteurs" -"ING Homepay","ING Homepay" +"iDeal","iDEAL" +"Add QR-Code option in Issuer List","Ajouter l'option QR-Code dans la Liste Des Émetteurs" +"ING Homepay","ING Home'Pay" "KBC/CBC","KBC/CBC" -"Klarna Pay Later","Klarna Pay Later" +"Klarna Pay Later","Klarna Pay later" "Klarna Slice","Klarna Slice" "MyBank","MyBank" -"Payment Link / Admin Payment","Lien de paiement / Gérer le paiement" -"Add Link to Payment Details","Ajouter un lien aux détails de paiement" -"Allow to manually mark as paid?","Autoriser à marquer manuellement comme payé ?" -"Payment Message / Link","Message de paiement / Lien" -"Status New","Statut Nouveau" -"Paypal","Paypal" +"Payment Link / Admin Payment","Lien pour Paiement / Admin Paiement" +"Add Link to Payment Details","Ajouter le lien aux détails de paiement" +"Allow to manually mark as paid?","Autoriser le marquage manuel comme étant payé?" +"Payment Message / Link","Message de paiement / lien" +"Status New","Statut nouveau" +"Paypal","PayPal" "Paysafecard","Paysafecard" "Przelewy24","Przelewy24" "Sofort","Sofort" -"Voucher","Bon d'achat" +"Voucher","Voucher" "Category","Catégorie" -"Product attribute","Attribut produit" +"Product attribute","Attributs du produit" "Mollie","Mollie" -"General","Général" +"General","Généralités" "Branding","Marque" "Version","Version" -"API Details","Détails API" -"You can find your Api Keys in your Mollie Profile.
","Vous trouverez vos clés API dans votre Mollie Profile.
" -"Modus","Modus" -"Test API Key","Test clé API" -"Live API Key","Live clé API" -"Profile ID","Identifiant" +"API Details","Détails de l'API" +"You can find your Api Keys in your Mollie Profile.
","Vous trouverez votre clé API dans votre profil Mollie.
" +"Modus","Mode" +"Test API Key","Clé de test API" +"Live API Key","Clé API live" +"Profile ID","ID profil" "Settings","Paramètres" "Show Icons","Afficher les icônes" -"Default selected method","Moyen choisi par défaut" -"Debug & Logging","Débogage et enregistrement" +"Default selected method","Méthode sélectionnée par défaut" +"Debug & Logging","débogage et connexion" "Debug","Débogage" -"Especially for Developers you can enable the Debug mode.","Vous pouvez activer le mode débogage pour les développeurs." -"Debug requests","Demandes de débogage" -"Payment Methods","Moyens de paiement" -"Advanced","Avancé" +"Especially for Developers you can enable the Debug mode.","Vous pouvez activer le mode débogage notamment pour les développeurs." +"Debug requests","Requêtes de débogage" +"Payment Methods","Méthodes de paiement" +"Advanced","avancé" "Statuses","Statuts" -"Set the order status before the customer is redirected to Payment Gateway","Définir le statut de la commande avant que le client ne soit redirigé vers la passerelle de paiement" -"Status Processing","Traitement du statut" -"Set the order status for Completed Payments","Définir le statut de la commande pour les paiements effectués" -"Triggers & Languages","Déclencheurs et langues" -"When to create the invoice?","Quand créer la facture ?" -"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Quand voulez-vous créer la facture pour Klarna Payments?
On Authorize: Créer une facture détaillée lorsque la commande est autorisée.
On Shipment: Créer une facture (partielle) lorsqu'un envoi est créé." -"Send Invoice Email","Envoyer un e-mail de facturation" -"Set the notification for to Notify the customer with the Invoice","Définir la notification pour Notifier le client avec la facture" +"Set the order status before the customer is redirected to Payment Gateway","Établir le statut de commande avant que le client soit redirigé vers la passerelle de paiement" +"Status Processing","Traitement des statuts" +"Set the order status for Completed Payments","Définir le statut de commande pour les paiements complétés" +"Triggers & Languages","Déclencheurs et Langues" +"When to create the invoice?","Quand créer la facture?" +"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Quand souhaitez-vous créer la facture des paiements Klarna?
À l'autorisation: Créer une facture complète au moment où la commande est autorisée.
À l'expédition: Créer une facture (partielle) lorsqu'une expédition est créée." +"Send Invoice Email","Envoyer la notification de facture" +"Set the notification for to Notify the customer with the Invoice","Programmer la notification pour Notifier la facture au client" "Cancel order when connection Fails","Annuler la commande lorsque la connexion échoue" -"Include shipping in Surcharge calculation","Inclure l'expédition dans le calcul du supplément" -"Use Base Currency","Utiliser la devise de base" -"Language Payment Page","Langue de la page de paiement" -"Let Mollie automatically detect the language or force the language from the store view.","Laisser Mollie détecter automatiquement la langue ou forcer la langue depuis le magasin." +"Include shipping in Surcharge calculation","Inclure l'expédition dans le calcul de la majoration" +"Use Base Currency","Utiliser la devise principale" +"Language Payment Page","Langue Page de paiement" +"Let Mollie automatically detect the language or force the language from the store view.","Laisser Mollie détecter la langue automatiquement ou forcer la langue du point de vue du magasin." "Show Transaction Details","Afficher les détails de la transaction" "Use Loading Screen","Utiliser l'écran de chargement" -"PWA Storefront Integration","Intégration de la vitrine PWA" -"Advanced: PWA storefront integration","Avancé : Intégration de la vitrine PWA" -"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","N'utilisez cette fonction que si vous voulez intégrer l'extension Mollie avec une vitrine PWA. Pour plus d'informations here." -"Use custom return url?","Utiliser une url de retour personnalisée ?" -"Custom return url","Url de retour personnalisée" -"Second Chance Email","E-mail de deuxième chance" -"Second Chance Email","Deuxième e-mail de modification" -"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Envoyer un e-mail aux clients dont le paiement a échoué ou n'est pas terminé pour leur donner une deuxième chance de terminer le paiement via le lien de paiement et reprendre leur commande.
Vous pouvez soit envoyer ces rappels de paiement manuellement, soit activer les e-mails entièrement automatisés. " -"Enable Second Chance Email","Activer les e-mails de deuxième chance" -"Second Chance Email Template","Modèle d'e-mail de deuxième chance" -"Automatically Send Second Chance Emails","Envoyez automatiquement les e-mails de deuxième chance" -"Second Chance Email Delay","Délai pour l'e-mail de deuxième chance" +"PWA Storefront Integration","Intégration PWA Storefront" +"Advanced: PWA storefront integration","Avancée: Intégration PWA Storefront" +"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Utilisez uniquement cette fonction si vous souhaitez intégrer l'extension Mollie avec PWA storefront. Pour aller plus loin, consulter ici." +"Use custom return url?","Utilisez l'url retour personnalisée?" +"Custom return url","url retour personnalisée" +"Second Chance Email","Courriel de la deuxième chance" +"Second Chance Email","Courriel de la deuxième chance" +"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Envoyer un courriel aux clients dont le paiement a échoué ou n'est pas finalisé afin de leur donner une seconde chance de terminer le paiement via PaymentLink et réactiver leur commande.
Vous pouvez envoyer ces relances de paiement par voie manuelle ou activer le courriel automatique." +"Enable Second Chance Email","Activer courriel de la deuxième chance" +"Second Chance Email Template","Modèle Courriel de la deuxième chance" +"Automatically Send Second Chance Emails","Envoyer automatiquement les courriels de la deuxième chance" +"Second Chance Email Delay","Délai courriel de la deuxième chance" "Mollie Payment Fee","Frais de paiement Mollie" -"Payment fee","Frais de paiement" -"Delete items","Supprimer des articles" -"Are you sure you want to delete selected items?","Êtes-vous sûr de vouloir supprimer les articles sélectionnés ?" -"Warning","Attention" -"This action is time-consuming and the page can time out when there are too many items selected","Cette action est chronophage et la page peut s'arrêter si trop d'articles sont sélectionnés" -"Increment ID","Numéro d'incrément" +"Payment fee","Frais à payer" +"Delete items","Supprimer les articles" +"Are you sure you want to delete selected items?","Êtes-vous certain de vouloir supprimer les articles sélectionnés?" +"Warning","Avertissement" +"This action is time-consuming and the page can time out when there are too many items selected","Cette action est chronophage et la page peut expirer lorsque la sélection comporte trop d'articles" +"Increment ID","ID augmentation" "Firstname","Prénom" "Lastname","Nom" "E-mail","E-mail" -"Name on card":"Nom du titulaire de la carte" -"Card Number","Numéro de carte de crédit" -"CVC/CVV":"CVV" -"Expiry Date","MM/AA" +"Name on card","Nom figurant sur la carte" +"Card Number","Numéro de la carte" +"CVC/CVV","CVC/CVV" +"Expiry Date","Date d’expiration" +"Failed to initialize product","Échec de l'initialisation du produit" +"Your session has expired","Votre session a expiré" +"Product not found","Produit non trouvé" +"We can't add this item to your shopping cart right now.","Nous ne pouvons ajouter cet article à votre panier actuellement." +"No transaction ID found","ID de transaction non trouvé" +"There is no order found that belongs to ""%1"" +","Aucune commande trouvée appartenant à ""%1"" +" +"Required parameter ""cart_id"" is missing","Le paramètre requis ""cart_id"" est manquant" +"The current user cannot perform operations on cart ""%masked_cart_id""","L'utilisateur actuel ne peut pas réaliser des opérations sur le panier ""%masked_cart_id""" +"Missing ""payment_token"" input argument","Entrée argument ""payment_token"" manquante" +"No order found with token ""%1"" +","Aucune commande trouvée avec le jeton ""%1"" +" +"Unable to create online refund, as shipping costs do not match","Impossible de créer le remboursement en ligne, car les frais d'expédition ne correspondent pas" +"No order(s) found for transaction id %1","Aucune commande(s) trouvée(s) pour l'id de transaction %1" +"We were unable to find the store credit for order #%1","Impossible de trouver le crédit magasin pour la commande #%1" +"The orders have different currencies (%1)","Les commandes sont exprimées dans des devises différentes (%1)" +"Name on card","Nom figurant sur la carte" +"CVC/CVV","CVC/CVV" +"Save for later use.","Sauvegarder pour un usage ultérieur" +"Place Order","Passer une commande" diff --git a/i18n/nl_NL.csv b/i18n/nl_NL.csv index 0a3cd063513..94665457be3 100644 --- a/i18n/nl_NL.csv +++ b/i18n/nl_NL.csv @@ -1,288 +1,310 @@ -"Check last 100 debug log records","Controleer de laatste 100 logboekrecords voor foutopsporing" +"Check last 100 debug log records","Controleer de laatste 100 debuglogs" "Run Self-test","Voer een zelftest uit" -"Check for latest versions","Op nieuwste versies controleren" -"Test Apikey","Test Apikey" +"Check for latest versions","Controleer op de laatste versies" +"Test Apikey","Test API-sleutel" "Self Test","Zelftest" "Payment Fee","Betalingskosten" "The latest status from Mollie has been retrieved","De laatste status van Mollie is opgehaald" -"We cancelled order %1, created this order and marked it as complete.","We hebben bestelling %1 geannuleerd, deze bestelling gemaakt en als voltooid gemarkeerd." -"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Waarschuwing: We raden aan om de Mollie-extensie te installeren met Composer, momenteel is deze geïnstalleerd in de map app/code." -"The payment reminder email was successfully send","De betalingsherinnerings-e-mail is succesvol verzonden" -"Log is empty","Logboek is leeg" +"We cancelled order %1, created this order and marked it as complete.","Wij hebben bestelling %1 geannuleerd, deze bestelling aangemaakt en als voltooid gemarkeerd." +"Warning: We recommend to install the Mollie extension using Composer, currently it's installed in the app/code folder.","Waarschuwing: We raden aan om de Mollie-extensie te installeren met behulp van Composer, momenteel is deze in de app-/codemap geïnstalleerd." +"The payment reminder email was successfully send","De e-mail met betalingsherinnering is verzonden" +"Log is empty","De log is leeg" "The payment reminder has been removed","De betalingsherinnering is verwijderd" "The selected payment reminders have been removed","De geselecteerde betalingsherinneringen zijn verwijderd" -"Pending Payment Reminders","In Afwachting van Betalingsherinneringen" +"Pending Payment Reminders","Actieve betalingsherinneringen" "The payment reminder for order #%1 has been sent","De betalingsherinnering voor bestelling #%1 is verzonden" "The payment reminder for %1 order(s) has been sent","De betalingsherinnering voor %1 bestelling(en) is verzonden" -"Sent Payment Reminders","Betalingsherinneringen Verzonden" -"Invalid return, missing order id.","Ongeldige retour, ontbrekende order-ID." -"Invalid return from Mollie.","Ongeldige retour van Mollie." +"Sent Payment Reminders","Verzonden betalingsherinneringen" +"Invalid return, missing order id.","Ongeldige respons, ontbrekende bestelling-ID" +"Invalid return from Mollie.","Ongeldige respons van Mollie." "There was an error checking the transaction status.","Er is een fout opgetreden bij het controleren van de transactiestatus." -"Something went wrong.","Er is iets fout gegaan." +"Something went wrong.","Er is iets misgegaan." "Payment canceled, please try again.","Betaling geannuleerd, probeer het opnieuw." -"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Betaling van type %1 is afgewezen. Besluit is gebaseerd op bestelling en uitkomst van risicobeoordeling." +"Payment of type %1 has been rejected. Decision is based on order and outcome of risk assessment.","Betaling van het type %1 is geweigerd. De beslissing is gebaseerd op de bestelling en het resultaat van de risicobeoordeling." "Payment Method not found","Betaalmethode niet gevonden" -"Canceled because an error occurred while redirecting the customer to Mollie","Betaalmethode niet gevonden" -"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Er is een Time-out opgetreden tijdens het verbinden met %1. Dit kan het gevolg zijn van een storing. Probeer het opnieuw of selecteer een andere betaalmethode." +"Canceled because an error occurred while redirecting the customer to Mollie","Geannuleerd, omdat er een fout is opgetreden bij het doorsturen van de klant naar Mollie" +"A Timeout while connecting to %1 occurred, this could be the result of an outage. Please try again or select another payment method.","Er is een time-out opgetreden tijdens de verbinding met %1, dit kan het gevolg zijn van een storing. Probeer het opnieuw of kies een andere betaalmethode." "The required payment token is not available","Het vereiste betalingstoken is niet beschikbaar" "The payment token %1 does not exists","Betalingstoken %1 bestaat niet" "Payment cancelled, please try again.","Betaling geannuleerd, probeer het opnieuw." -"The field ""payment_token"" is required for this request","Het veld 'payment_token' is vereist voor deze aanvraag" -"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","Mollie API-cliënt voor PHP is niet geïnstalleerd, bekijk onze %1-pagina voor meer informatie over dit probleem." -"Mollie API client for PHP is not installed, for more information about this issue see: %1","Mollie API-cliënt voor PHP is niet geïnstalleerd, bekijk %1 voor meer informatie over dit probleem." +"The field ""payment_token"" is required for this request","Het veld 'payment_token' is verplicht voor dit verzoek" +"Mollie API client for PHP is not installed, for more information about this issue see our %1 page.","De Mollie-API-client voor PHP is niet geïnstalleerd, meer informatie over dit probleem vindt u op onze %1-pagina." +"Mollie API client for PHP is not installed, for more information about this issue see: %1","De Mollie-API-client voor PHP is niet geïnstalleerd, meer informatie over dit probleem vindt u op: %1" "The order was canceled","De bestelling is geannuleerd" -"The order was canceled, reason: payment %1","De bestelling is geannuleerd. Reden: betaling %1" -"Test API-key: Empty value","Test API-key: Lege waarde" -"Test API-key: Should start with ""test_""","Test API-key: Moet beginnen met 'test_'" -"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Ingeschakelde Methodes: Geen, schakel de betaalmethodes in je Mollie Dashboard in." -"Enabled Methods","Ingeschakelde methodes" -"Test API-key: Success!","Test API-key: Succes!" -"Test API-key: %1","Test API-key: %1" -"Live API-key: Empty value","Live API-key: Lege waarde" -"Live API-key: Should start with ""live_""","Live API-key: Moet beginnen met 'live_'" -"Enabled Methods: %1","Ingeschakelde methodes: %1" -"Live API-key: Success!","Live API-key: Succes!" +"The order was canceled, reason: payment %1","De bestelling is geannuleerd, reden: betaling %1" +"Test API-key: Empty value","Test API-sleutel: lege waarde" +"Test API-key: Should start with ""test_""","Test API-sleutel: moet beginnen met 'test_'" +"Enabled Methods: None, Please enable the payment methods in your Mollie dashboard.","Ingeschakelde methoden: geen, schakel de betaalmethoden in uw Mollie-dashboard in." +"Enabled Methods","Ingeschakelde methoden" +"Test API-key: Success!","Test API-sleutel: gelukt!" +"Test API-key: %1","Test API-sleutel: %1" +"Live API-key: Empty value","Live API-sleutel: lege waarde" +"Live API-key: Should start with ""live_""","Live API-sleutel: moet beginnen met 'live_'" +"Enabled Methods: %1","Ingeschakelde methoden: %1" +"Live API-key: Success!","Live API-sleutel: gelukt!" "Live API-key: %1","Live API-sleutel: %1" -"Error: The client requires PHP version >= %1, you have %2.","Fout: De cliënt vereist PHP-versie >=%1, je hebt %2." -"Success: PHP version: %1.","Succes: PHP-versie: %1." +"Error: The client requires PHP version >= %1, you have %2.","Fout: De client vereist PHP-versie >= %1, u hebt %2." +"Success: PHP version: %1.","Gelukt: PHP-versie: %1." "Error: PHP extension JSON is not enabled.","Fout: PHP-extensie JSON is niet ingeschakeld." -"Please make sure to enable ""json"" in your PHP configuration.","Zorg ervoor dat je 'json' inschakelt in je PHP-configuratie." -"Success: JSON is enabled.","Succes: JSON is ingeschakeld." -"Error: Mollie CompatibilityChecker not found.","Fout: Mollie CompatibilityChecker niet gevonden." -"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Waarschuwing: We raden aan om een unieke betalingsstatus te gebruiken voor lopende Bankoverschrijvingen" +"Please make sure to enable ""json"" in your PHP configuration.","Schakel 'json' in bij uw PHP-configuratie." +"Success: JSON is enabled.","Gelukt: JSON is ingeschakeld." +"Error: Mollie CompatibilityChecker not found.","Fout: Mollie-CompatibilityChecker niet gevonden." +"Warning: We recommend to use a unique payment status for pending Banktransfer payments","Waarschuwing: Wij raden u aan een unieke betalingsstatus te gebruiken voor openstaande betalingen per bankoverschrijving" "Live","Live" "Test","Test" "External","Extern" -"Direct","Rechtstreeks" -"On Authorize","Op Autoriseren" -"On Shipment","Na Verzending" +"Direct","Direct" +"On Authorize","Bij autorisering" +"On Shipment","Bij verzending" "Dropdown","Dropdown" "List with images","Lijst met afbeeldingen" -"Don't show issuer list","Issuers-lijst niet tonen" +"Don't show issuer list","Toon geen lijst consumentenbanken" "Autodetect","Automatisch detecteren" -"Store Locale","Winkellocatie" -"Payments API","Payments API" -"Orders API","Orders API" +"Store Locale","Store Locale" +"Payments API","Betalingen-API" +"Orders API","Bestellingen-API" "None","Geen" "First available Mollie method","Eerste beschikbare Mollie-methode" "No","Nee" "Percentage","Percentage" -"Fixed Fee","Vaste Prijs" -"Fixed Fee and Percentage","Vaste Prijs en Percentage" -"-- Use Default --","-- Gebruik Standaard --" +"Fixed Fee","Vaste vergoeding" +"Fixed Fee and Percentage","Vaste vergoeding en percentage" +"-- Use Default --","-- Gebruik standaard --" "Please select","Selecteer" "1 hours","1 uur" "%1 hours","%1 uur" "Meal","Maaltijd" "Eco","Eco" "Gift","Cadeau" -"Custom attribute","Aangepast attribuut" +"Custom attribute","Aangepast kenmerk" "Enabled","Ingeschakeld" "Custom URL","Aangepaste URL" "Disabled","Uitgeschakeld" -"Customer redirected to Mollie","Klant omgeleid naar Mollie" -"Created Mollie Checkout Url","Mollie Checkout-URL gemaakt" -"Currency does not match.","Valuta komt niet overeen." -"Mollie: Order Amount %1, Captured Amount %2","Mollie: Orderbedrag %1, Captured Bedrag %2" -"New order email sent","Nieuwe bestel-e-mail verzonden" -"Unable to send the new order email: %1","Kan de nieuwe bestel-e-mail niet verzenden: %1" +"Customer redirected to Mollie","Klant doorgestuurd naar Mollie" +"Created Mollie Checkout Url","Mollie-check-out-URL aangemaakt" +"Currency does not match.","Valuta komen niet overeen." +"Mollie: Order Amount %1, Captured Amount %2","Mollie: bestelbedrag %1, vastgelegd bedrag %2" +"New order email sent","E-mail voor nieuwe bestelling verzonden" +"Unable to send the new order email: %1","Kan de e-mail voor de nieuwe bestelling niet verzenden: %1" "Notified customer about invoice #%1","Klant geïnformeerd over factuur #%1" "Unable to send the invoice: %1","Kan de factuur niet verzenden: %1" "Transaction ID not found","Transactie-ID niet gevonden" -"Api key not found","Apikey niet gevonden" -"Mollie (Order ID: %2): %1","Mollie (Bestellings-ID: %2): %1" -"Class Mollie\Api\MollieApiClient does not exist","Klasse Mollie\Api\MollieApiCliënt bestaat niet" -"Shipment already pushed to Mollie","De verzending is al naar Mollie doorgezet" -"All items in this order where already marked as shipped in the Mollie dashboard.","Alle items uit deze bestelling zijn al gemarkeerd als verzonden in het Mollie Dashboard." +"Api key not found","API-sleutel niet gevonden" +"Mollie (Order ID: %2): %1","Mollie (bestelling-ID: %2): %1" +"Class Mollie\Api\MollieApiClient does not exist","De klasse Mollie\Api\MollieApiClient bestaat niet." +"Shipment already pushed to Mollie","De verzending is al naar Mollie overgedragen." +"All items in this order where already marked as shipped in the Mollie dashboard.","Alle artikelen in deze bestelling waren al als verzonden gemarkeerd in het Mollie-dashboard." "Mollie API: %1","Mollie-API: %1" -"Shipment ID not found","Verzend-ID niet gevonden" -"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Er is een offline terugbetaling aangemaakt, zorg ervoor dat je deze ook aanmaakt op mollie.com/dashboard of gebruik de online terugbetalingsoptie." -"Order can only be refunded after Klarna has been captured (after shipment)","Bestelling kan alleen worden terugbetaald nadat Klarna is captured (na verzending)" -"Can not create online refund, as shipping costs do not match","Kan geen online terugbetaling creëren omdat de verzendkosten niet overeenkomen" -"Mollie: Captured %1, Settlement Amount %2","Mollie: Captured %1, Schikkingsbedrag %2" +"Shipment ID not found","Verzending-ID niet gevonden" +"An offline refund has been created, please make sure to also create this refund on mollie.com/dashboard or use the online refund option.","Er is een offline terugbetaling aangemaakt, zorg ervoor dat u deze terugbetaling ook aanmaakt op mollie.com/dashboard of gebruik de online terugbetalingsoptie." +"Order can only be refunded after Klarna has been captured (after shipment)","De bestelling kan alleen worden terugbetaald, nadat Klarna is vastgelegd (na verzending)" +"Can not create online refund, as shipping costs do not match","Kan geen online terugbetaling aanmaken, omdat de verzendkosten niet overeenkomen" +"Mollie: Captured %1, Settlement Amount %2","Mollie: vastgelegd %1, betalingsbedrag %2" "Order not found","Bestelling niet gevonden" -"API Key not found","Apikey niet gevonden" -"Error: not possible to create an online refund: %1","Fout: Online terugbetaling aanmaken niet mogelijk: %1" -"No order found for transaction id %1","Mollie (Bestellings-ID: %2): %1" +"API Key not found","API-sleutel niet gevonden" +"Error: not possible to create an online refund: %1","Fout: niet mogelijk om een online terugbetaling aan te maken: %1" +"No order found for transaction id %1","Geen bestelling gevonden voor transactie-ID %1" "-- Please Select --","-- Selecteer --" "QR Code","QR-code" -"Could not save the Mollie customer: %1","Kan de Mollie-klant niet opslaan: %1" -"Customer with id ""%1"" does not exist.","Klant met ID '%1' bestaat niet." -"Could not delete the Customer: %1","Kan de Klant niet verwijderen: %1" -"Could not save Order Lines. Error: order line not found","Kan Orderregels niet opslaan. Fout: orderregel niet gevonden" -"Could not save Order Lines. Error: sku's do not match","Kan Orderregels niet opslaan. Fout: sku's komen niet overeen" -"Could not save the paymentToken: %1","Kan paymentToken niet opslaan: %1" -"PaymentToken with id ""%1"" does not exist.","PaymentToken met ID '%1' bestaat niet." -"Could not delete the PaymentToken: %1","Kan PaymentToken niet verwijderen: %1" -"Could not save the pendingPaymentReminder: %1","Kan de pendingPaymentReminder niet opslaan: %1" -"PendingPaymentReminder with id ""%1"" does not exist.","PendingPaymentReminder met ID '%1' bestaat niet." -"Could not delete the PendingPaymentReminder: %1","Kan de PendingPaymentReminder niet verwijderen: %1" -"Could not save the sentPaymentReminder: %1","Kan sentPaymentReminder niet opslaan: %1" -"SentPaymentReminder with id ""%1"" does not exist.","SentPaymentReminder met ID '%1' bestaat niet." -"Could not delete the SentPaymentReminder: %1","Kan sentPaymentReminder niet verwijderen: %1" +"Could not save the Mollie customer: %1","Kon de Mollie-klant niet opslaan: %1" +"Customer with id ""%1"" does not exist.","De klant met ID '%1' bestaat niet." +"Could not delete the Customer: %1","Kon de klant niet verwijderen: %1" +"Could not save Order Lines. Error: order line not found","Kon de orderregels niet opslaan. Fout: orderregel niet gevonden" +"Could not save Order Lines. Error: sku's do not match","Kon de orderregels niet opslaan. Fout: SKU’s komen niet overeen" +"Could not save the paymentToken: %1","Kon het betalingstoken niet opslaan: %1" +"PaymentToken with id ""%1"" does not exist.","Het betalingstoken met ID '%1' bestaat niet." +"Could not delete the PaymentToken: %1","Kon het betalingstoken niet verwijderen: %1" +"Could not save the pendingPaymentReminder: %1","Kon de actieve betalingsherinnering niet opslaan: %1" +"PendingPaymentReminder with id ""%1"" does not exist.","De actieve betalingsherinnering met ID '%1' bestaat niet." +"Could not delete the PendingPaymentReminder: %1","Kon de actieve betalingsherinnering niet verwijderen: %1" +"Could not save the sentPaymentReminder: %1","Kon de verzonden betalingsherinnering niet opslaan: %1" +"SentPaymentReminder with id ""%1"" does not exist.","De verzonden betalingsherinnering met ID '%1' bestaat niet." +"Could not delete the SentPaymentReminder: %1","Kon de verzonden betalingsherinnering niet verwijderen: %1" "%1: method not enabled in Mollie Dashboard","%1: methode niet ingeschakeld in Mollie Dashboard" -"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Weet je het zeker? Hierdoor wordt de huidige bestelling geannuleerd, maken we een nieuwe aan die als betaald wordt gemarkeerd." -"Mark as paid","Als betaald markeren" -"Send Payment Reminder","Betalingsherinnering Sturen" -"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Fout: Het lijkt erop dat niet alle extensiekenmerken aanwezig zijn. Zorg ervoor dat je 'bin/magento setup:di:compile' uitvoert." +"Are you sure you want to do this? This will cancel the current order and create a new one that is marked as payed.","Bent u zeker dat u dit wilt doen? Dit annuleert de huidige bestelling en maakt een nieuwe aan die als betaald is gemarkeerd." +"Mark as paid","Markeer als betaald" +"Send Payment Reminder","Verzend betalingsherinnering" +"Error: It looks like not all extension attributes are present. Make sure you run `bin/magento setup:di:compile`.","Fout: het lijkt erop dat niet alle extensie-attributen aanwezig zijn. Zorg ervoor dat u 'bin/magento setup:di:compile' uitvoert." "Warning: Webhooks are currently disabled.","Waarschuwing: Webhooks zijn momenteel uitgeschakeld." -"Store Credit","Winkeltegoed" -"We where unable to find the store credit for order #%1","We konden het winkeltegoed voor bestelling #%1 niet vinden" -"We created a new order with increment ID: %1","We hebben een nieuwe bestelling gemaakt met oplopende ID: %1" +"Store Credit","Tegoed" +"We where unable to find the store credit for order #%1","Wij konden het tegoed voor bestelling #%1 niet vinden" +"We created a new order with increment ID: %1","Wij hebben een nieuwe bestelling aangemaakt met increment-ID: %1" "There is no order found with token %1","Er is geen bestelling gevonden met token %1" -"Order uncanceled by webhook.","Bestelling niet geannuleerd door webhook." -"[TEST] An error occured","[TEST] Er is een fout opgetreden" -"Delete","Verwijderen" -"Send now","Nu verzenden" -"Create a Mollie Payment link and add this to the order email.","Maak een Mollie Betaallink aan en voeg deze toe aan de bestelmail." -"Limit to the following method(s)","Beperk tot de volgende methode(s)" -"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Als er voor één methode wordt gekozen, slaat deze het selectiescherm over en wordt de klant direct naar de betaalmethode gestuurd." -"This order expires at:","Deze bestelling verloopt op:" -"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Het is niet mogelijk om Klarna Slice it of Klarna Pay later als methode te gebruiken wanneer je vervaldatum meer dan 28 dagen in de toekomst ligt, tenzij een ander tijdsbestek is overeengekomen tussen de verkoper en Klarna." -"Checkout Type","Checkout Soort" -"Checkout Url","Checkout URL" +"Order uncanceled by webhook.","Annulering bestelling ongedaan gemaakt door webhook." +"[TEST] An error occured","[TEST] Er is een fout opgetreden." +"Delete","Verwijder" +"Send now","Verzend nu" +"Create a Mollie Payment link and add this to the order email.","Maak een Mollie-betaallink aan en voeg deze toe aan de e-mail voor de bestelling." +"Limit to the following method(s)","Beperk tot de volgende methode(n)" +"If one method is chosen, it will skip the selection screen and the customer is sent directly to the payment method.","Als één methode wordt gekozen, wordt het selectiescherm overgeslagen en wordt de klant rechtstreeks naar de betaalmethode doorgestuurd." +"This order expires at:","Deze bestelling vervalt op:" +"It is not posible to use Klarna Slice it or Klarna Pay later as method when your expiry date is more than 28 days in the future, unless another maximum is agreed between the merchant and Klarna.","Klarna Slice it of Klarna Pay kunnen later niet als methode worden gebruikt, als uw vervaldatum meer dan 28 dagen in de toekomst ligt, tenzij tussen de verkoper en Klarna een ander maximum is overeengekomen." +"Checkout Type","Type check-out" +"Checkout Url","Check-out-URL" "Valid Until","Geldig tot" "Payment Status","Betaalstatus" "Please ship order to capture Klarna payment","Verzend de bestelling om de Klarna-betaling vast te leggen" "Mollie ID","Mollie-ID" -"View in Mollie dashboard","Bekijk in Mollie Dashboard" -"Copy","Kopiëren" -"Update Payment Status","Update Betaalstatus" -"Fetch Status","Status Ophalen" -"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","De betaalstatus wordt standaard automatisch bijgewerkt, maar in geval van een onderbreking kun je deze functie gebruiken om de betaalstatus handmatig op te halen." -"Redirecting to Mollie","Omleiden naar Mollie" -"Back to Checkout","Terug naar Checkout" -"Proceed Payment","Ga door naar betaling" -"Complete your payment from %store_name","Voltooi je betaling vanaf %store_name" +"View in Mollie dashboard","Bekijk in Mollie-dashboard" +"Copy","Kopieer" +"Update Payment Status","Werk de betaalstatus bij" +"Fetch Status","Haal de status op" +"The payment-status will updated automatically by default, but in case of any interruption you can use this function to fetch the payment status manually.","De betaalstatus wordt standaard automatisch bijgewerkt, maar bij een onderbreking kunt u deze functie gebruiken om de betaalstatus handmatig op te halen." +"Redirecting to Mollie","Doorsturen naar Mollie" +"Back to Checkout","Terug naar check-out" +"Proceed Payment","Ga verder met de betaling" +"Complete your payment from %store_name","Voltooi uw betaling bij %store_name" "Dear %name,","Beste %name," -"Thank you for shopping at %store_name.","Bedankt voor je aankoop bij %store_name." -"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","We hebben gemerkt dat je deze bestelling hebt geplaatst, maar de betaling niet is voltooid. Gebruik de onderstaande link om je bestelling af te ronden zodat je deze items niet misloopt." -"Description: Order #%order_id from %store_name","Beschrijving: bestelnummer %order_id van %store_name" -"Click here to complete your payment","Klik hier om je betaling af te ronden" -"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Je kunt deze e-mail negeren als je:
• De bestelling niet wilt voltooien
• De bestelling op een andere manier hebt afgerond." -"Place order","Bestelling plaatsen" -"Select Bank","Selecteer Bank" -"Select Giftcard","Selecteer Cadeaubon" -"Invalid response received. This indicates an unknown problem.","Ongeldig antwoord ontvangen. Dit duidt op een onbekend probleem." -"Great, you are using the latest version.","Super, je gebruikt de nieuwste versie." -"There is a new version available (%1) see .","Er is een nieuwe versie beschikbaar, (%1) zie ." -"last 100 debug log lines","laatste 100 logboekregels voor foutopsporing" -"download as .txt file","download als .txt-bestand" -"ok","ok" -"last 100 error log records","laatste 100 foutenlogboekrecords" +"Thank you for shopping at %store_name.","Bedankt voor uw aankoop bij %store_name." +"We noticed that you have placed an order with the following products but did not complete your payment. Use the link below to complete your order and make sure you don’t miss out on your items!","Wij hebben opgemerkt dat u een bestelling hebt geplaatst met de volgende producten, maar dat u de betaling niet hebt voltooid. Gebruik de onderstaande link om uw bestelling af te ronden, zodat u uw artikelen zeker ontvangt!" +"Description: Order #%order_id from %store_name","Beschrijving: Bestelling #%order_id bij %store_name" +"Click here to complete your payment","Klik hier om uw betaling te voltooien" +"You can ignore this email if you:
• Do not wish to complete the order
• Have completed the order via a different route.","Negeer deze e-mail als u:
• de bestelling niet wenst af te ronden;
• de bestelling op een andere manier hebt afgerond." +"Place order","Plaats bestelling" +"Select Bank","Selecteer bank" +"Select Giftcard","Selecteer cadeaubon" +"Invalid response received. This indicates an unknown problem.","Ongeldige respons ontvangen. Dit wijst op een onbekend probleem." +"Great, you are using the latest version.","Fantastisch, u gebruikt de laatste versie." +"There is a new version available (%1) see .","Er is een nieuwe versie beschikbaar (%1), zie ." +"last 100 debug log lines","Laatste 100 debuglogregels" +"download as .txt file","Download als .txt-bestand" +"ok","OK" +"last 100 error log records","Laatste 100 foutlogs" "Self-test","Zelftest" -"Fetching...","Ophalen..." -"Error While Fetching","Fout tijdens het Ophalen van Berichten" -"Mollie Payment Reminders","Mollie Betalingsherinneringen" -"Pending","In afwachting" +"Fetching...","Bezig met ophalen …" +"Error While Fetching","Fout bij het ophalen" +"Mollie Payment Reminders","Mollie-betalingsherinneringen" +"Pending","Actief" "Sent","Verzonden" "Apple Pay","Apple Pay" "Title","Titel" "Method","Methode" "Description","Beschrijving" -"Integration type","Integratietype" -"Days to expire","Dagen tot het verloopt" -"Payment from Applicable Countries","Betaling vanuit Toepasselijke Landen" -"Payment from Specific Countries","Betaling vanuit Specifieke Landen" -"Minimum Order Total","Minimaal Bestelbedrag" -"Maximum Order Total","Maximaal Bestelbedrag" +"Integration type","Type integratie" +"Days to expire","Vervaltermijn" +"Payment from Applicable Countries","Betaling uit toepasselijke landen" +"Payment from Specific Countries","Betaling uit specifieke landen" +"Minimum Order Total","Minimaal totaal bestelbedrag" +"Maximum Order Total","Maximaal totaal bestelbedrag" "Payment Surcharge","Betalingstoeslag" "Payment Surcharge fixed amount","Betalingstoeslag vast bedrag" "Payment Surcharge percentage","Betalingstoeslag percentage" -"Payment Surcharge limit","Limiet betalingstoeslag" -"Payment Surcharge Tax Class","Betalingstoeslag Belastingklasse" -"Sorting Order","Sorteringsvolgorde" +"Payment Surcharge limit","Betalingstoeslag limiet" +"Payment Surcharge Tax Class","Betalingstoeslag belastingklasse" +"Sorting Order","Sorteervolgorde" "Bancontact","Bancontact" "Banktransfer","Bankoverschrijving" -"Status Pending","Status In afwachting" -"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","We raden je aan om een andere 'in behandeling' status te gebruiken, aangezien de standaard-'in behandeling' status van Magento de bestelling automatisch kan annuleren voordat de betalingstermijn is bereikt. De status 'In afwachting van betaling' is standaard niet zichtbaar voor klanten, daarom raden we je aan om hiervoor een nieuwe status aan te maken, die ook zichtbaar moet zijn voor de klant, zodat deze geïnformeerd wordt dat de betaling nog moet worden afgerond." -"Due Days","Resterende dagen" +"Status Pending","Status openstaand" +"We recommend using another 'pending' status as the default Magento pending status can automatically cancel the order before the payment expiry time is reached.
By default the status ""Pending Payment"" is not visible for customers, therefore we advise you to create a new status for this, which should also be visible to the customer, informing them they still have to complete their payment.","Wij raden u aan om een andere status voor 'openstaand' te gebruiken, omdat de standaard Magento-status 'openstaand' de bestelling automatisch kan annuleren, voordat de vervaltermijn is afgelopen.
Standaard is de status 'openstaande betaling' niet zichtbaar voor klanten, daarom adviseren wij u om hiervoor een nieuwe status aan te maken, die ook zichtbaar is voor de klant, om hem te laten weten dat hij zijn betaling nog dient te voltooien." +"Due Days","Dagen achterstallig" "Belfius","Belfius" "Credit Card","Creditcard" "Use Mollie Components","Gebruik Mollie Components" -"Enable Single Click Payments","Single Click Payments activeren" -"SEPA Direct Debit","SEPA Automatische Incasso" +"Enable Single Click Payments","Schakel betaling met één klik in" +"SEPA Direct Debit","SEPA Direct Debit" "EPS","EPS" "Giftcard","Cadeaubon" -"Issuer List Style","Issuer List Style" +"Issuer List Style","Stijl lijst consumentenbanken" "Giropay","Giropay" "iDeal","iDeal" -"Add QR-Code option in Issuer List","Voeg QR-code-optie toe aan de Issuer List" +"Add QR-Code option in Issuer List","Voeg QR-code-optie toe in lijst van consumentenbanken" "ING Homepay","ING Homepay" "KBC/CBC","KBC/CBC" "Klarna Pay Later","Klarna Pay Later" "Klarna Slice","Klarna Slice" "MyBank","MyBank" -"Payment Link / Admin Payment","Betaallink/ Admin-betaling" -"Add Link to Payment Details","Link Toevoegen aan Betalingsgegevens" -"Allow to manually mark as paid?","Handmatig markeren als betaald toestaan?" -"Payment Message / Link","Betaalbericht / Link" -"Status New","Status Nieuw" +"Payment Link / Admin Payment","Betaallink/admin-betaling" +"Add Link to Payment Details","Voeg een link naar de betalingsgegevens toe" +"Allow to manually mark as paid?","Toestaan om handmatig als betaald te markeren?" +"Payment Message / Link","Betalingsbericht/link" +"Status New","Status nieuw" "Paypal","PayPal" "Paysafecard","Paysafecard" "Przelewy24","Przelewy24" "Sofort","Sofort" -"Voucher","Voucher" +"Voucher","Bon" "Category","Categorie" -"Product attribute","Product attribuut" +"Product attribute","Productkenmerk" "Mollie","Mollie" "General","Algemeen" "Branding","Branding" "Version","Versie" -"API Details","API-Gegevens" -"You can find your Api Keys in your Mollie Profile.
","Je kunt je Api Keys vinden in je Mollie Profiel." +"API Details","API-gegevens" +"You can find your Api Keys in your Mollie Profile.
","U kunt uw API-sleutel vinden in uw Mollie-profiel.
" "Modus","Modus" -"Test API Key","Test API Key" -"Live API Key","Live API key" +"Test API Key","Test API-sleutel" +"Live API Key","Live API-sleutel" "Profile ID","Profiel-ID" "Settings","Instellingen" -"Show Icons","Toon Pictogrammen" +"Show Icons","Toon pictogrammen" "Default selected method","Standaard geselecteerde methode" -"Debug & Logging","Foutopsporing & Logboekregistratie" -"Debug","Foutopsporing" -"Especially for Developers you can enable the Debug mode.","Speciaal voor ontwikkelaars kun je de Debug-modus inschakelen." +"Debug & Logging","Debuggen & logs" +"Debug","Debuggen" +"Especially for Developers you can enable the Debug mode.","Speciaal voor ontwikkelaars kunt u de debugmodus inschakelen." "Debug requests","Debugverzoeken" -"Payment Methods","Betaalmethodes" +"Payment Methods","Betaalmethoden" "Advanced","Geavanceerd" "Statuses","Statussen" -"Set the order status before the customer is redirected to Payment Gateway","Stel de bestelstatus in voordat de klant wordt doorgestuurd naar Payment Gateway" -"Status Processing","Status In behandeling" -"Set the order status for Completed Payments","Stel de bestelstatus in voor Voltooide Betalingen" -"Triggers & Languages","Triggers & Talen" -"When to create the invoice?","Wanneer een factuur aanmaken?" -"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Wanneer wil je de factuur voor Klarna Payments aanmaken? Bij autorisatie: maak een volledige factuur wanneer de bestelling is geautoriseerd. Bij verzending: Maak een (deel)factuur wanneer een zending wordt aangemaakt." -"Send Invoice Email","E-mail met Factuur Versturen" -"Set the notification for to Notify the customer with the Invoice","Stel de melding in op De klant informeren met de Factuur" -"Cancel order when connection Fails","Annuleer de bestelling wanneer de verbinding Mislukt" -"Include shipping in Surcharge calculation","Verzendkosten meenemen in Toeslagberekening" -"Use Base Currency","Gebruik Standaardvaluta" -"Language Payment Page","Taal Betaalpagina" -"Let Mollie automatically detect the language or force the language from the store view.","Laat Mollie de taal automatisch detecteren of kies de taal vanuit de winkelweergave." -"Show Transaction Details","Transactiegegevens Tonen" -"Use Loading Screen","Gebruik laadscherm" -"PWA Storefront Integration","PWA Storefront-Integratie" -"Advanced: PWA storefront integration","Geavanceerd: PWA storefront-integratie" -"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Gebruik deze functie alleen als je de Mollie extensie wilt integreren met een PWA storefront. Meer informatie vind je hier." -"Use custom return url?","Aangepaste retour-URL gebruiken?" -"Custom return url","Aangepaste retour-URL" -"Second Chance Email","Second Chance E-mail" -"Second Chance Email","Second Chance E-mail" -"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Stuur een e-mail naar klanten met een mislukte of niet-voltooide betaling om hen een tweede kans te geven om de betaling via de PaymentLink te voltooien en hun bestelling af te laten ronden.
Je kunt deze betalingsherinneringen handmatig verzenden of dit automatiseren." -"Enable Second Chance Email","Second Chance E-mail Inschakelen" -"Second Chance Email Template","Second Chance E-mailsjabloon" -"Automatically Send Second Chance Emails","Automatisch Second Chance E-mails Verzenden" -"Second Chance Email Delay","Second Chance E-mail Vertraging" -"Mollie Payment Fee","Mollie Betalingskosten" +"Set the order status before the customer is redirected to Payment Gateway","Stel de bestelstatus in, voordat de klant wordt doorgestuurd naar de payment gateway" +"Status Processing","Status in behandeling" +"Set the order status for Completed Payments","Stel de bestelstatus in op voltooide betalingen" +"Triggers & Languages","Triggers & talen" +"When to create the invoice?","Wanneer moet de factuur aangemaakt worden?" +"When do you want create the invoice for Klarna Payments?
On Authorize: Create a full invoice when the order is authorized.
On Shipment: Create a (partial) invoice when a shipment is created.","Wanneer wilt u de factuur aanmaken voor Klarna-betalingen?
Bij autorisering: Maak een volledige factuur aan zodra de bestelling is geautoriseerd.
Bij verzending: Maak een (deel)factuur aan wanneer een verzending wordt aangemaakt." +"Send Invoice Email","Verzend e-mail met factuur" +"Set the notification for to Notify the customer with the Invoice","Stel de melding in om de klant te informeren over de factuur" +"Cancel order when connection Fails","Annuleer de bestelling wanneer de verbinding mislukt" +"Include shipping in Surcharge calculation","Neem de verzendkosten op in de berekening van de toeslag" +"Use Base Currency","Gebruik de basisvaluta" +"Language Payment Page","Taal betaalpagina" +"Let Mollie automatically detect the language or force the language from the store view.","Laat Mollie de taal automatisch detecteren of forceer de taal vanuit de shopweergave." +"Show Transaction Details","Toon de transactiegegevens" +"Use Loading Screen","Gebruik het laadscherm" +"PWA Storefront Integration","Integratie PWA storefront" +"Advanced: PWA storefront integration","Geavanceerd: integratie PWA storefront" +"Only use this function if you want to integrate the Mollie extension with a PWA storefront. More information can be found here.","Gebruik deze functie alleen als u de Mollie-extensie wilt integreren met een PWA storefront. Meer informatie vindt u hier." +"Use custom return url?","Moet een aangepaste respons-URL worden gebruikt?" +"Custom return url","Aangepaste respons-URL" +"Second Chance Email","E-mail voor tweede kans" +"Second Chance Email","E-mail voor tweede kans" +"Send an e-mail to customers with a failed or unfinished payment to give them a second chance on finishing the payment through the PaymentLink and revive their order.
You can either sent these payment reminders manually or activate the e-mail fully automated.","Stuur een e-mail naar klanten met een mislukte of onvoltooide betaling om hen een tweede kans te geven om de betaling via de betaallink af te ronden en hun bestelling opnieuw te activeren.
U kunt deze betalingsherinneringen handmatig verzenden of de e-mail volledig automatisch activeren." +"Enable Second Chance Email","Schakel e-mail voor tweede kans in" +"Second Chance Email Template","Sjabloon e-mail voor tweede kans" +"Automatically Send Second Chance Emails","Verzend e-mails voor tweede kans automatisch" +"Second Chance Email Delay","Vertraging e-mail voor tweede kans" +"Mollie Payment Fee","Mollie-betalingskosten" "Payment fee","Betalingskosten" -"Delete items","Items verwijderen" -"Are you sure you want to delete selected items?","Weet je zeker dat je de geselecteerde items wilt verwijderen?" +"Delete items","Verwijder artikelen" +"Are you sure you want to delete selected items?","Bent u zeker dat u de geselecteerde artikelen wilt verwijderen?" "Warning","Waarschuwing" -"This action is time-consuming and the page can time out when there are too many items selected","Deze actie is tijdrovend en de pagina kan een time-out vertonen als er te veel items zijn geselecteerd" -"Increment ID","ID Verhogen" +"This action is time-consuming and the page can time out when there are too many items selected","Deze actie is tijdrovend en er kan zich een time-out voordoen als te veel artikelen zijn geselecteerd" +"Increment ID","Increment-ID" "Firstname","Voornaam" "Lastname","Achternaam" "E-mail","E-mail" -"Name on card","Naam kaarthouder" -"Card Number","Creditcardnummer" -"Expiry Date","MM/JJ" -"Verification Code", "CVV" +"Name on card","Naam op kaart" +"Card Number","Kaartnummer" +"CVC/CVV","CVC/CVV" +"Expiry Date","Vervaldatum" +"Failed to initialize product","Kon het product niet initialiseren" +"Your session has expired","Uw sessie is verlopen" +"Product not found","Product niet gevonden" +"We can't add this item to your shopping cart right now.","Wij kunnen dit artikel nu niet aan uw winkelwagen toevoegen." +"No transaction ID found","Geen transactie-ID gevonden" +"There is no order found that belongs to ""%1"" +","Er is geen bestelling gevonden voor '%1' +" +"Required parameter ""cart_id"" is missing","Verplichte parameter 'cart_id' ontbreekt" +"The current user cannot perform operations on cart ""%masked_cart_id""","De huidige gebruiker kan geen bewerkingen uitvoeren op winkelwagen '%masked_cart_id'" +"Missing ""payment_token"" input argument","Ontbrekend invoerargument 'payment_token'" +"No order found with token ""%1"" +","Geen bestelling gevonden met token '%1' +" +"Unable to create online refund, as shipping costs do not match","Kan geen online terugbetaling aanmaken, omdat de verzendkosten niet overeenkomen" +"No order(s) found for transaction id %1","Geen bestelling(en) gevonden voor transactie-ID %1" +"We were unable to find the store credit for order #%1","Wij konden het tegoed voor bestelling #%1 niet vinden" +"The orders have different currencies (%1)","De bestellingen hebben verschillende valuta (%1)" +"Name on card","Naam op kaart" +"CVC/CVV","CVC/CVV" +"Save for later use.","Bewaar voor later gebruik." +"Place Order","Plaats bestelling" From 3fdf96b4c3c13058fe6e8a333783cbc3e5f22fad Mon Sep 17 00:00:00 2001 From: Marvin-Magmodules Date: Thu, 14 Apr 2022 11:56:15 +0200 Subject: [PATCH 5/5] Version bump --- composer.json | 2 +- etc/config.xml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/composer.json b/composer.json index 181679cc982..154ea2aae91 100644 --- a/composer.json +++ b/composer.json @@ -1,7 +1,7 @@ { "name": "mollie/magento2", "description": "Mollie Payment Module for Magento 2", - "version": "2.9.0", + "version": "2.10.0", "keywords": [ "mollie", "payment", diff --git a/etc/config.xml b/etc/config.xml index d38a775a844..18ef790427c 100644 --- a/etc/config.xml +++ b/etc/config.xml @@ -3,7 +3,7 @@ - v2.9.0 + v2.10.0 0 0 test