diff --git a/WooCommerce/Classes/POS/Presentation/Barcode Scanning/HIDBarcodeParser.swift b/WooCommerce/Classes/POS/Presentation/Barcode Scanning/HIDBarcodeParser.swift index 13f36ae6a57..e29d5c47426 100644 --- a/WooCommerce/Classes/POS/Presentation/Barcode Scanning/HIDBarcodeParser.swift +++ b/WooCommerce/Classes/POS/Presentation/Barcode Scanning/HIDBarcodeParser.swift @@ -26,26 +26,51 @@ final class HIDBarcodeParser { /// Process a key press event /// - Parameter key: The key that was pressed func processKeyPress(_ key: UIKey) { - let currentTime = timeProvider.now() - - // If characters are entered too slowly, it's probably typing and we should ignore it - if let lastTime = lastKeyPressTime, - currentTime.timeIntervalSince(lastTime) > configuration.maximumInterCharacterTime { - onScan(.failure(HIDBarcodeParserError.timedOut(barcode: buffer))) - resetScan() + guard shouldRecogniseAsScanKeystroke(key) else { + return } - lastKeyPressTime = currentTime - let character = key.characters if configuration.terminatingStrings.contains(character) { processScan() } else { guard !excludedKeys.contains(key.keyCode) else { return } + checkForTimeoutBetweenKeystrokes() buffer.append(character) } } + private func shouldRecogniseAsScanKeystroke(_ key: UIKey) -> Bool { + guard key.characters.isNotEmpty else { + // This prevents a double-trigger-pull on a Star scanner from adding an error row – + // Star use this as a shortcut to switch to the software keyboard. They send keycode 174 0xAE, which is + // undefined and reserved in UIKeyboardHIDUsage. The scanner doesn't send a character with the code. + // There seems to be no reason to handle empty input when considering scans. + return false + } + + if buffer.isEmpty && configuration.terminatingStrings.contains(key.characters) { + // We prefer to show all partial scans, but if we just get an enter with no numbers, ignoring it makes testing easier + return false + } + + return true + } + + private func checkForTimeoutBetweenKeystrokes() { + // If characters are entered too slowly, it's probably typing and we should ignore the old input. + // The key we just received is still considered for adding to the buffer – we may simply reset the buffer first. + let currentTime = timeProvider.now() + + if let lastTime = lastKeyPressTime, + currentTime.timeIntervalSince(lastTime) > configuration.maximumInterCharacterTime { + onScan(.failure(HIDBarcodeParserError.timedOut(barcode: buffer))) + resetScan() + } + + lastKeyPressTime = currentTime + } + private let excludedKeys: [UIKeyboardHIDUsage] = [ .keyboardCapsLock, .keyboardF1, @@ -138,6 +163,7 @@ final class HIDBarcodeParser { } private func processScan() { + checkForTimeoutBetweenKeystrokes() if buffer.count >= configuration.minimumBarcodeLength { onScan(.success(buffer)) } else { diff --git a/WooCommerce/Classes/POS/Presentation/ItemRowView.swift b/WooCommerce/Classes/POS/Presentation/ItemRowView.swift index 5e0f9c43c4b..013e0ad6fa9 100644 --- a/WooCommerce/Classes/POS/Presentation/ItemRowView.swift +++ b/WooCommerce/Classes/POS/Presentation/ItemRowView.swift @@ -26,9 +26,6 @@ struct ItemRowView: View { var body: some View { itemRow - .background(Color.posSurfaceContainerLowest) - .frame(maxWidth: .infinity, idealHeight: dynamicTypeSize.isAccessibilitySize ? nil : dimension) - .posItemCardBorderStyles() .padding(.horizontal, Constants.horizontalPadding) .geometryGroup() .accessibilityLabel(accessibilityLabel) @@ -86,6 +83,9 @@ struct ItemRowView: View { } } .padding(.trailing, Constants.cardContentHorizontalPadding) + .frame(maxWidth: .infinity, minHeight: dimension, alignment: .leading) + .background(Color.posSurfaceContainerLowest) + .posItemCardBorderStyles() } @ViewBuilder @@ -152,39 +152,84 @@ private extension ItemRowView { #if DEBUG @available(iOS 17.0, *) -#Preview(traits: .sizeThatFitsLayout) { - ItemRowView(cartItem: Cart.PurchasableItem(id: UUID(), - item: PointOfSalePreviewItemService().providePointOfSaleItem(), - title: "Item Title", - subtitle: "Item Subtitle", - quantity: 2), - onItemRemoveTapped: { }) -} +#Preview { + ScrollView { + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + item: PointOfSalePreviewItemService().providePointOfSaleItem(), + title: "Item Title", + subtitle: "Item Subtitle", + quantity: 2 + ), + onItemRemoveTapped: { } + ) -@available(iOS 17.0, *) -#Preview(traits: .sizeThatFitsLayout) { - ItemRowView(cartItem: Cart.PurchasableItem(id: UUID(), - item: PointOfSalePreviewItemService().providePointOfSaleItem(), - title: "Item Title", - subtitle: nil, - quantity: 2), - onItemRemoveTapped: { }) -} + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + item: PointOfSalePreviewItemService().providePointOfSaleItem(), + title: "Item Title With incredible long title that goes incredibly far and beyond", + subtitle: "Item Subtitle", + quantity: 2 + ), + onItemRemoveTapped: { } + ) -@available(iOS 17.0, *) -#Preview(traits: .sizeThatFitsLayout) { - ItemRowView(cartItem: Cart.PurchasableItem.loading(id: UUID()), - onCancelLoading: { }) -} + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + item: PointOfSalePreviewItemService().providePointOfSaleItem(), + title: "Item Title", + subtitle: nil, + quantity: 2 + ), + onItemRemoveTapped: { } + ) -@available(iOS 17.0, *) -#Preview(traits: .sizeThatFitsLayout) { - ItemRowView.init(cartItem: Cart.PurchasableItem( - id: UUID(), - title: "123-123-123", - subtitle: "Unspported product type", - quantity: 1, - state: .error - )) + ItemRowView( + cartItem: Cart.PurchasableItem.loading(id: UUID()), + onCancelLoading: { } + ) + + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + title: "123-123-123", + subtitle: "Unspported product type", + quantity: 1, + state: .error + ) + ) + + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + title: "123-123-123", + subtitle: "Unspported product type with an incredibly long error message that goes on and on", + quantity: 1, + state: .error + ) + ) + + ItemRowView( + cartItem: Cart.PurchasableItem( + id: UUID(), + item: PointOfSalePreviewItemService().providePointOfSaleItem(), + title: "Item Title", + subtitle: nil, + quantity: 2 + ), + showImage: .constant(false), + onItemRemoveTapped: { } + ) + + ItemRowView( + cartItem: Cart.PurchasableItem.loading(id: UUID()), + showImage: .constant(false), + onCancelLoading: { } + ) + } + .frame(width: 400) } #endif diff --git a/WooCommerce/Resources/ar.lproj/Localizable.strings b/WooCommerce/Resources/ar.lproj/Localizable.strings index e16ae64bd04..eff346bfeb9 100644 --- a/WooCommerce/Resources/ar.lproj/Localizable.strings +++ b/WooCommerce/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 10:14:36+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:05+0000 */ /* Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ar */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (خاص بالعميل)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "نسخ %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ حول قبول المدفوعات باستخدام جهازك المحمول وطلب قارئ البطاقات."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ عن النطاقات وكيفية اتخاذ إجراءات مرتبطة بالنطاق."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ حول التحقق من معلوماتك باستخدام WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "تجب طباعة نموذج الجمارك وتضمينه في هذه الشحنة الدولية"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "تم استخدام بطاقة مباشرة على موقع في وضع الاختبار. استخدم بطاقة اختبار بدلاً من ذلك."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "حدثت مشكلة في الشبكة. يرجى التحقّق من اتصالك والمحاولة لاحقًا."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "إضافة خيارات"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "العنوان"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "مُعرِّف التطبيق"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "استرداد عربة التسوق المهملة"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "إعدادات الحساب"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "نوع الحساب"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "الحساب المتصل"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "إضافة نوع"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "إضافة نطاق"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "إضافة بطاقة ائتمان جديدة"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "المبلغ الذي يستحق الاسترداد"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "المبلغ المدفوع"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "يتعذر استخدام معرّف Apple إلا لترقية متجر واحد"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "حدث خطأ في أثناء إغلاق الحساب."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "حدث خطأ في أثناء الوصول إلى البلوتوث - يرجى تمكين البلوتوث والمحاولة مجددًا"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "تم إرسال معاملة مماثلة مؤخرًا. إذا كنت ترغب في المواصلة، فقم بتجربة وسائل دفع أخرى"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "فشل رفع صورة"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "تم إدخال رمز PIN غير صحيح مرات عديدة. تجربة وسائل دفع أخرى"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "تم إدخال رمز PIN غير صحيح. المحاولة الآن، أو استخدام وسائل دفع أخرى"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "ملحوظة اختيارية يتم إرسالها إلى العميل بعد الشراء"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "سجلات التطبيق"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "اسم التطبيق"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "أدلة قارئ البطاقة"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "تم ترك البطاقة في القارئ - يرجى إزالة البطاقة وإعادة إدراجها"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "تمت إزالة البطاقة مبكرًا جدًا - يرجى محاولة المعاملة مجددًا"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "إلغاء"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "المدينة مفقودة"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "المطالبة بالنطاق"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "طالب بنطاقك المجاني"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "الفئة 1 - طرود الألعاب المسيَّرة\/صمامات الأمان"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "تهانينا، لقد قرأت كل شيء!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "تهانينا على إتمام عملية الشراء الخاصة بك"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "تهانينا! لقد قمت بخطوة واحدة أقرب لجعل المتجر الجديد جاهزًا."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "الربط بالقارئ"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "انتهت مهلة الاتصال بقارئ البطاقة - تأكَّد من أنه قريب ومشحون، ثم حاول مجددًا"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "الربط بحسابك"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "المتابعة"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "نطاق التاريخ"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "تاريخ الدفع"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "تاريخ الشحن"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "خصم"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "خصم قدره %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "نوع الخصم"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "المستندات"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "النطاقات"; - /* Country option for a site address. */ "Dominica" = "دومينيكا"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "تم"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "تم إرسال الملاحظات!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "الرسوم"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "جارٍ إحضار التباينات..."; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "هل نسيت كلمة المرور؟"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "خطأ في التحقق من النموذج"; - /* Next web page */ "Forward" = "إعادة التوجيه"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "تجربة مجانية"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "مجاني للسنة الأولى"; - /* Country option for a site address. */ "French Guiana" = "جويانا الفرنسية"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "المدفوعات الشخصية"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "عمليات الشراء داخل التطبيق"; - /* Application's Inactive State */ "Inactive" = "غير نشط"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "إدراج"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "إدراج بطاقة"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "إدراج مسطرة أفقية"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "إدراج رابط"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "إدراج بطاقة أو تمريرها"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "إدراج بطاقة للدفع"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "لاتفيا"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "بدء تتبع الأخطاء في Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "بدء متجرك"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "موزمبيق"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "تم اكتشاف عدة بطاقات غير تلامسية"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "متاجر متعددة"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "لا توجد حملات حتى الآن"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "لا يوجد قارئ بطاقة متصل - اربط قارئًا، وحاول مجددًا"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = " لم يتم تحديد التصنيف"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "لا توجد مشكلات في الاتصال"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "لا يوجد اتصال بالإنترنت - يرجى الاتصال بالإنترنت والمحاولة مجددًا"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "لم يتم العثور على قسائم"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "ملاحظة إلى العميل"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "ملاحظات"; - /* Default message for empty media picker */ "Nothing to show" = "لا يوجد شيء لعرضه"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "إجماليات المدفوعات"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "تم رفض عملية الدفع لأن الأموال غير كافية. تجربة وسائل دفع أخرى"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "فشلت عملية الدفع"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "طريقة الدفع"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "تمت عملية الدفع بنجاح"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "تم رفض عملية الدفع لسبب غير معروف. تجربة وسائل دفع أخرى"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "تم رفض عملية الدفع لسبب غير محدَّد. تجربة وسائل دفع أخرى"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "يرجى شحن القارئ"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "يرجى التحقق من أن هاتفك يستوفي هذه المتطلبات: iPhone XS أو أحدث يعمل بنظام التشغيل iOS 16.7 أو أعلى. اتصل بالدعم في حال ظهور هذا الخطأ على جهاز مدعوم."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "يرجى التحقق من أن معرّف Apple لديك صالح، ثم حاول مجددًا. يلزم وجود معرّف Apple صالح لقبول شروط الخدمة التي تقرها Apple"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "يرجى الاتصال بـ Jetpack من خلال صفحة المسؤول لديك على متصفح أو دعم الاتصال."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "يرجى الاتصال بالدعم للحصول على المساعدة."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "يرجى الاتصال بالدعم - كانت هناك مشكلة في أثناء بدء \"الضغط للدفع على iPhone\""; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "يُرجى الاتصال بمالك الموقع للحصول على دعوة إلى الموقع كمدير متجر أو مسؤول استخدام التطبيق."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "يرجى تحديد حزمة"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "يرجى تسجيل الدخول إلى iCloud على هذا الجهاز لاستخدام \"الضغط للدفع على iPhone\""; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "يرجى المحاولة مرة أخرى لاحقًا أو تواصل معنا وستسرنا مساعدتك!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "ترجى المحاولة مجددًا أو التواصل معنا وسنكون سعداء لمساعدتك!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "ترجى المحاولة مجددًا، وقبول شروط الخدمة التي تقرها Apple، حتى تتمكن من استخدام \"الضغط للدفع على iPhone\""; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "ترجى المحاولة مجددًا أو الاتصال بالدعم للحصول على المساعدة"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "يُرجى المحاولة مرة أخرى. بدلاً من ذلك، يمكنك تثبيت Jetpack من خلال مسؤول ووردبريس الخاص بك."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "ترجى تجربة استعلام آخر."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "يرجى تحديث برنامج القارئ الخاص بك ليستمر في قبول المدفوعات"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "تم تحديث الأسعار بنجاح."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "رابط الموقع الأساسي"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "اطبع"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "سبب طلب استرداد الأموال"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "الاستلام"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "إيصال من %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "المدفوعات المتكررة"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "إعادة إنشاء رمز القسيمة"; -/* Title of the domain contact info form. */ -"Register domain" = "تسجيل نطاق"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "السعر العادي"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "إزالة السمة"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "إزالة البطاقة"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "إزالة خصم"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "إعادة تسمية السمة"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "يتم التجديد في %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "استبدال صورة"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "إعادة المحاولة بعد التحديث"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "إعادة تجربة البطاقة"; - /* Action button to check site's connection again. */ "Retry Connection" = "إعادة محاولة الاتصال"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "تم إرسال SMS"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "اقتراحات"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "البحث عن القسائم"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "البحث في النطاقات"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "البحث عن نطاق"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "البحث عن عميل موجود أو"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "تم شحن %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "جزء من عنوان البريد الإلكتروني غير صالح."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "بعض الأخطاء غير المتوقعة في عملية التحقق. يُرجى التحقق من الحقول والمحاولة مرة أخرى."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "شخص ما"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "عذرًا، تتعذر معالجة عملية الدفع هذه"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "عذرًا، تتعذر معالجة عملية الدفع هذه."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "عذرًا، يتعذر إلغاء عملية رد المبالغ المدفوعة هذه"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "عذرًأ، تتعذر معالجة عملية استرداد المبالغ المدفوعة هذه"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "عذرًا، يجب أن تحتوي أسماء المستخدمين على حروف أبجدية (a-z) أيضًا!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "عفوًا، يتعذر علينا إكمال هذا الإجراء، نظرًا إلى عدم وجود دفع نشط."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "عذرًا، لا يمكننا الربط بالقارئ. ترجى المحاولة مجددًا."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "عذرًا، يتعذر علينا بدء ميزة \"الضغط للدفع\" على iPhone. يرجى التحقّق من اتصالك والمحاولة لاحقًا."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "الاشتراكات"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "إجمالي المنتجات ووزن الحزمة"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "ملخّص (موجز)"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "الملخص: الطلب رقم %1$@"; - /* Country option for a site address. */ "Suriname" = "سورينام"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "السويد"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "تمرير البطاقة"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "تحويل المتجر"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "تم نسخ تقرير حالة النظام إلى الحافظة"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "غير مسموح ببطاقات اختبار النظام للدفع. تجربة وسائل دفع أخرى"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "ساو تومي وبرينسيبي"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "النقر للدفع على iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "يتعذر استخدام \"الضغط للدفع على iPhone\" في أثناء المكالمة الهاتفية. ترجى المحاولة مجددًا بعد إنهاء مكالمتك."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "أصبحت ميزة Tap to Pay في iPhone جاهزة"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "حالة الضريبة"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "الضرائب"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "شروط الخدمة"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "اختبر عملية الشراء داخل التطبيق بينما نستعد للتشغيل"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "اختبر عرض الوظائف الإضافية للطلبات بينما نستعد للإطلاق"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "تم تثبيت إضافة %1$@ على مخزنك ولكن يتعيَّن تحديثها للمدفوعات الشخصية. يرجى تحديثها إلى أحدث إصدار."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "تم قطع اتصال البلوتوث بقارئ البطاقة بشكل غير متوقع"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "لا يتطابق حساب غوغل \"‎%@\" مع أي حساب موجود على ووردبريس.كوم"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "تعذر تحميل الطلب!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "المبلغ غير مدعوم لميزة \"الضغط للدفع على iPhone\" - ترجى تجربة قارئ الأجهزة أو طريقة دفع أخرى."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "يتعذر على التطبيق تمكين \"الضغط للدفع على iPhone\"، لأن رقاقة NFC معطّلة. يرجى الاتصال بالدعم للحصول على مزيد من التفاصيل."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "تتعذر إزالة السمة."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "يتعذر حفظ السمة."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "لا تدعم البطاقة هذه العملة. تجربة وسائل دفع أخرى"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "لا تدعم البطاقة نوع الشراء هذا. تجربة وسائل دفع أخرى"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "انتهت صلاحية البطاقة. تجربة وسائل دفع أخرى"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "البطاقة أو حساب البطاقة غير صالحين تجربة وسائل دفع أخرى"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "قارئ البطاقة مشغول في تنفيذ أمر آخر - يرجى المحاولة مجددًا"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "قارئ البطاقة غير متوافق مع هذا التطبيق - يرجى محاولة تحديث هذا التطبيق أو استخدام قارئ مختلف"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "انتهت صلاحية جلسة قارئ البطاقة - يرجى قطع اتصال قارئ البطاقة وإعادته، ثم حاول مجددًا"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "برنامج قارئ البطاقة قديم - يرجى تحديث برنامج قارئ البطاقة قبل محاولة معالجة عمليات الدفع"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "برنامج قارئ البطاقات قديم - يرجى تحديث برنامج قارئ البطاقات قبل محاولة معالجة عمليات الدفع."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "برنامج قارئ البطاقة غير مُحدَّث - يرجى تحديث برنامج قارئ البطاقة قبل محاولة معالجة عمليات استرداد المبالغ المدفوعة"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "فشل تحديث برنامج قارئ البطاقة بسبب مشكلة في الاتصال - يرجى المحاولة مجددًا"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "فشل تحديث برنامج قارئ البطاقة بسبب مشكلة مع خادم التحديث - يرجى المحاولة مجددًا"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "فشل تحديث برنامج قارئ البطاقة بشكل غير متوقع - يرجى المحاولة مجددًا"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "انقطع تحديث برنامج قارئ البطاقة قبل اكتماله - يرجى المحاولة مجددًا"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "تم رفض البطاقة بواسطة قارئ البطاقة - يرجى تجربة وسائل دفع أخرى"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "تم رفض البطاقة بواسطة قارئ البطاقات - يرجى تجربة وسائل دفع أخرى."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "تم رفض البطاقة بواسطة قارئ البطاقة - يرجى تجربة وسائل أخرى لاسترداد المبالغ المدفوعة"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "تم رفض البطاقة بواسطة قارئ بطاقة iPhone - ترجى تجربة وسائل دفع أخرى"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "تم رفض البطاقة بواسطة مُعالج الدفع - يرجى تجربة وسيلة دفع أخرى."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "شهادة هذا الخادم غير صالحة. قد تكون مرتبطًا بخادم يبدو "%@" والذي قد يجعل معلوماتك السرية في خطر.\n\nهل تريد أن تثق في الشهادة على أية حال؟"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "يتعذر أن يكون رمز القسيمة فارغًا"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "العملة غير مدعومة لميزة \"الضغط للدفع على iPhone\" - ترجى تجربة قارئ الأجهزة أو طريقة دفع أخرى."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "سيتلقى العميل بريدًا إلكترونيًا بمجرد اكتمال الطلب"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "سيُعيد النطاق المشترى توجيه المستخدمين إلى **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "سيُعيد النطاق المشترى توجيه المستخدمين إلى نطاق التشغيل المرحلي الحالي"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "سيُعيد النطاق المشترى توجيه المستخدمين إلى عنوان الأساسي."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "في المرة الأولى التي تستخدم فيها Pay on iPhone، قد تُطالب بقبول شروط الخدمة التي تُقرها Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "مبلغ عملية الدفع غير مسموح به للبطاقة التي تم تقديمها. تجربة وسائل دفع أخرى"; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "تتعذر معالجة عملية الدفع بواسطة مُعالجة الدفع."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "تمت إزالة بطاقة الدفع في وقت مبكر للغاية، ترجى المحاولة مجددًا."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "لا تدعم طريقة الدفع عمليات استرداد الأموال التلقائية. أكمل عملية استرداد الأموال عن طريق تحويل الأموال إلى العميل يدويًا."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "تم إلغاء الدفع على القارئ"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "تم إلغاء الدفع."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "تتعذر معالجة عملية استرداد المبالغ المدفوعة بواسطة مُعالج الدفع."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "انتهت مهلة الطلب - يرجى المحاولة مجددًا"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "لم يتم السماح بطلب إنشاء كلمة مرور التطبيق."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "كمية المخزون لهذا المنتج. قابل للتحرير."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "عنوان المتجر غير مكتمل أو مفقود، يرجى تحديثه قبل المتابعة."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "الرمز البريدي للمتجر غير صالح أو مفقود، يرجى تحديثه قبل المتابعة."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "قام النظام بإلغاء الأمر بشكل غير متوقع - يرجى المحاولة مجددًا"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "واجه النظام خطأ غير متوقع في برنامج"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "يتعذر إحضار تقرير حالة نظام موقعك في هذه اللحظة. يُرجى المحاولة مرة أخرى."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "الرمز البريدي للمعاملة والرمز البريدي للبطاقة غير متطابقين تجربة وسائل دفع أخرى"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "يتعذر بدء الدفع التجريبي، ترجى المحاولة مجددًا أو الاتصال بالدعم في حال استمرار هذه المشكلة."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "حدث خطأ في أثناء محاولة تحصيل المدفوعات."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "كانت هناك مشكلة في أثناء التحضير لاستخدام \"الضغط للدفع على iPhone\" - ترجى المحاولة مجددًا."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "تراخيص خارجية"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "يدعم هذا التطبيق رُتب أعضاء المسؤول ومدير المتجر فقط. يرجى الاتصال بمالك مخزنك لترقية رتبتك."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "تتطلب هذه البطاقة رمز PIN، ولهذا السبب تتعذر معالجتها. تجربة وسائل دفع أخرى"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "من المحتمل أن يرجع ذلك إلى وجود بعض الخطوات الإضافية المتعلقة بالأمان في متجرك."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "هذا العنصر موجود في الحزمة ⁦%1$d⁩: %2$@. أين ترغب في نقله؟"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "تم إكمال هذا الدفع بالفعل - يرجى التحقق من تفاصيل الطلب."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "تعذر تحميل هذا المنتج"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "تجربة عنوان آخر"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "تجربة بطاقة أخرى"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "تجربة طريقة قارئ أخرى"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "محاولة التخويل مجددًا"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "المحاولة مجددًا باستخدام صفحة مسؤول ووردبريس"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "تجربة وسائل دفع أخرى"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "حاول الاتصال مجددًا للوصول إلى متجرك."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "حاول بعنوان الموقع"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "قد تنجح المحاولة مجددًا أو قم بتجربة وسائل دفع أخرى"; - /* Country option for a site address. */ "Tunisia" = "تونس"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "توفالو"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "كتابة اسم لمتجرك"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "نوع المحتويات"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "يتعذر الاتصال"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "يتعذر الوصول إلى البلوتوث - يرجى تمكين البلوتوث والمحاولة مجددًا"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "يتعذر الوصول إلى خدمات الموقع - يرجى تمكين خدمات الموقع والمحاولة مجددًا"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "تتعذر إضافة القسيمة."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "يتعذر تغيير حالة الطلب رقم ⁦%1$d⁩"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "يتعذر الاتصال بالقارئ - يرجى المحاولة مجددًا"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "يتعذر الاتصال بقارئ البطاقة - قارئ البطاقة قيد الاستخدام بالفعل"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "يتعذر الاتصال بالقارئ - قارئ آخر متصل بالفعل"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "يتعذر الاتصال بالقارئ - يعاني القارئ من بطارية منخفضة للغاية - اشحن القارئ، وحاول مجددًا."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "يتعذر إنشاء طلب جديد"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Unable to mark review as %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "يتعذر تنفيذ الطلب باستخدام القارئ المتصل - ميزة غير مدعومة - يرجى المحاولة مجددًا باستخدام قارئ آخر"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "يتعذر تنفيذ طلب البرنامج - يرجى تحديث هذا التطبيق والمحاولة مجددًا"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "تتعذر معالجة عملية الدفع بسبب بيانات غير صالحة - يرجى المحاولة مجددًا"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "تتعذر معالجة الدفع. إجمالي مبلغ الطلب أقل من الحد الأدنى للمبلغ الذي يمكنك دفعه الذي يبلغ %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "تتعذر معالجة الدفع. يتعذر علينا إحضار أحدث تفاصيل للطلب. يرجى التحقق من اتصال شبكتك والمحاولة لاحقًا. الخطأ الأساسي: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "تتعذر قراءة البطاقة - انتهت مهلة النظام - يرجى المحاولة مجددًا"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "تتعذر قراءة البطاقة التي تم إدراجها - يرجى محاولة إزالة البطاقة وإدراجها مجددًا"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "تتعذر قراءة البطاقة التي تم تمريرها - يرجى محاولة تمريرها مجددًا"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "يتعذر قراءة موقع WordPress على معرف URL ذلك. انقر على \"هل تحتاج إلى مساعدة إضافية\" لعرض الأسئلة المتداولة."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "يتعذر حفظ التغييرات. يرجى المحاولة مرة أخرى."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "يتعذر البحث عن قارئ البطاقة - البلوتوث منخفض الطاقة غير مدعوم على هذا الجهاز - يرجى استخدام جهاز مختلف"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "يتعذر البحث عن قارئ البطاقة - انتهت مهلة البلوتوث - يرجى المحاولة مجددًا"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "يتعذر تعيين تفاصيل العميل."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "يتعذر تحديث العنوان."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = " يتعذر تحديث برنامج قارئ البطاقة - حيث إن بطارية القارئ منخفضة للغاية"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "يتعذر تحديث السعر"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "تعذر علينا التحقُّق من عنوان الشحن تلقائيًا. اعرضه على خرائط Apple للتأكُّد من صحة العنوان."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "تعذر علينا إعادة محاولة الدفع - يرجى البدء مجددًا."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "يتعذر علينا إرسال بريد إلكتروني في هذا الوقت. يُرجى المحاولة مرة أخرى لاحقًا."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "يمكنك تحرير وظائف المنتج الإضافية في لوحة تحكم الويب."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "يمكنك العثور على إعدادات النطاق ضمن القائمة > الإعدادات."; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "يمكنك إدارتها بسرعة وسهولة."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "ليس لديك الإذن اللازم لإدارة الإضافات على هذا المتجر."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "لديك تسجيل نطاق مجاني مدته عام واحد ضمن خطتك."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "لديك طلب جديد! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "يتعين عليك إضافة كلمة مرور لحماية منتجك بكلمة مرور."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "يتعين عليك تعيين رمز مرور لشاشة القفل لاستخدام \"الضغط للدفع على iPhone\""; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "يبدو أنك قمت بتثبيت مكون إضافي للمحمول من DudaMobile الذي يمنع هذا التطبيق من الاتصال بالمدونة الخاصة بك"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "لم يتم استخدام بريدك الإلكتروني مع حساب ووردبريس.كوم"; -/* Title of the free domain view. */ -"Your free store address" = "عنوان متجرك المجاني"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "انتهى إصدارك التجريبي المجاني"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "يظهر عنوان موقعك في الشريط في الجزء العلوي من الشاشة عندما تقوم بزيارة موقعك في متصفح Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "يجري إعداد عنوان موقعك. قد يستغرق الأمر ما يصل إلى 30 دقيقة لكي يبدأ نطاقك بالعمل."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "نطاقات موقعك"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "يستغرق موقعك فترة طويلة للاستجابة"; @@ -10485,135 +10114,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "مشاهدة كل الحملات"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "يحتاج هذا التطبيق إلى صلاحية للوصول إلى البلوتوث للاتصال بقارئ بطاقتك. يمكنك منح الصلاحية في تطبيق إعدادات النظام، ضمن قسم Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "قارئ البلوتوث مقترن بالفعل بجهاز آخر. يجب إعادة تعيين اقتران القارئ للاتصال بهذا القارئ."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "يحتوي اتصال البلوتوث على معرِّف موقع غير صالح."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "يحتاج هذا التطبيق إلى صلاحية للوصول إلى البلوتوث للاتصال بقارئ بطاقتك. يمكنك منح الصلاحية في تطبيق إعدادات النظام، ضمن قسم Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "أزال القارئ معلومات الاقتران بهذا الجهاز. حاول نسيان القارئ ضمن إعدادات نظام التشغيل iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "تم إلغاء اتصال قارئ البلوتوث ونحاول إعادة اتصاله."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "تعذر إلغاء العملية نظرًا إلى اكتمالها بالفعل."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "وظيفة تمرير البطاقة غير متوفرة."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "يرجى الاتصال بالدعم - لا يُسمح بتنفيذ الأمر بواسطة نظام التشغيل."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "يجب على حامل البطاقة إعطاء الموافقة من أجل نجاح هذه العملية."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "كان هناك خطأ في أثناء إحضار رمز الاتصال المميز."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "انتهت مهلة طلب رمز الاتصال المميز."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "يرجى الاتصال بالدعم - الميزة غير متوفرة."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "يُحظر إعادة توجيه المدفوعات في وضع الاختبار ضمن الوضع المباشر."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "يُحظر إعادة توجيه المدفوعات في وضع الاختبار ضمن الوضع المباشر."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac غير مدعوم في وضع عدم الاتصال بالإنترنت."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "حدث خطأ في الشبكة غير معروف."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "انتهت مهلة الاتصال بالقارئ عبر الإنترنت. تأكد من أن الجهاز والقارئ لديك متصلان بشبكة Wifi نفسها وأن القارئ لديك متصل بشبكة Wifi."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "يرجى الاتصال بالدعم - البيانات السرية للعميل غير صالحة."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "يرجى الاتصال بالدعم - تكوين الاكتشاف غير صالح."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "معرِّف الموقع غير صالح."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "القارئ المطلوب تحديثه غير صالح."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "يرجى الاتصال بالدعم - معايير استرداد الأموال غير صالحة."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "يرجى الاتصال بالدعم - المعيار المطلوب غير صالح."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "فشل القارئ في قراءة البيانات من طريقة الدفع الموجودة. إذا واجهت هذا الخطأ بشكل متكرر، فقد يكون القارئ معطلاً ويرجى الاتصال بالدعم."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "يرجى الاتصال بالدعم - الهدف من الدفع مفقود."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "يرجى الاتصال بالدعم - طريقة دفع المبلغ المسترد مفقودة."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "يرجى الاتصال بالدعم - الهدف من الإعداد مفقود."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "تأكيد الدفع في أثناء عدم الاتصال بالإنترنت وتم تحديد البطاقة على أنها منتهية الصلاحية."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "يرجى التأكد من اتصال الشبكة ثابت عند تحصيل الدفع وتأكيده."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "تُستخدم بطاقة الاختبار في الوضع المباشر في أثناء عدم الاتصال بالإنترنت."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "تأكيد الدفع في أثناء عدم الاتصال بالإنترنت وفشل التحقق من البطاقة."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "رمز PIN على الإنترنت غير مدعوم في وضع عدم الاتصال بالإنترنت. يرجى إعادة محاولة الدفع باستخدام بطاقة أخرى."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "لم يتم تقديم بطاقة في غضون المهلة المحددة."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "تكوين ربط القارئ غير صالح."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "يفتقد القارئ إلى مفاتيح التشفير المطلوبة لتلقي المدفوعات وقد تم فصل اتصاله وإعادة تشغيله. أعد الاتصال بالقارئ لمحاولة إعادة تثبيت المفاتيح. إذا استمر الخطأ، فيرجى الاتصال بالدعم."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "فشل تحديث برنامج القارئ نظرًا إلى انتهاء صلاحية التحديث. يرجى فصل اتصال القارئ وإعادة اتصال وإعادة استرداد تحديث جديد."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "يرجى الاتصال بالدعم - معيار إمالة القارئ غير صالح."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "فشلت عملية استرداد الأموال. تعذر على بنك العميل أو جهة إصدار البطاقة معالجته بشكل صحيح (على سبيل المثال: حساب بنكي مغلق أو مشكلة في البطاقة)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "يرجى الاتصال بالدعم - كان هناك خطأ في أثناء فك ترميز استجابة واجهة برمجة تطبيقات Stripe."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "تم تعطيل حساب Apple ID المرتبط."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "حدث خطأ غير متوقع في القارئ."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "لا يحتوي القارئ الذي تم إرجاعه من الاكتشاف على عنوان IP ولا يمكن ربطه به."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "القسائم"; @@ -11343,6 +10843,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "إضافات"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "الرمز الشريطي قصير جدًا"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "فحص الرمز الشريطي الجزئي"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "فشل طلب الشبكة"; @@ -11355,6 +10861,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "عنصر ممسوح ضوئيا غير معروف"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "تعذّر قراءة الرمز الشريطي"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "فشل عملية المسح"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "نوع عنصر غير مدعوم"; @@ -11700,6 +11212,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "لم يتم تطبيق القسيمة"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "مسح الرمز الشريطي"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "يرجى الانتظار"; @@ -11781,6 +11296,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "تم"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "مسح الرمز الشريطي"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "يمكنك مسح الرموز الشريطية ضوئيًا باستخدام ماسح ضوئي خارجي لإعداد عربة التسوق سريعًا."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "المزيد من التفاصيل."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "المزيد من التفاصيل، الرابط."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• قم بإعداد الرموز الشريطية في حقول \"GTIN، UPC، EAN، ISBN\" في المنتجات > تفاصيل المنتج > المخزون. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "أولاً: قم بإعداد الرموز الشريطية في حقول \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" بالانتقال إلى المنتجات، ثم تفاصيل المنتج، ثم المخزون."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• امسح الرموز الشريطية ضوئيًا أثناء وجودك في قائمة العناصر لإضافة المنتجات إلى عربة التسوق."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "امسح الرموز الشريطية ضوئيًا أثناء وجودك في قائمة العناصر لإضافة المنتجات إلى عربة التسوق."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "يُحاكي جهاز المسح الضوئي لوحة المفاتيح، لذا ستمنع لوحة مفاتيح البرنامج من الظهور في بعض الأحيان، على سبيل المثال في البحث. انقر على أيقونة لوحة المفاتيح لإظهارها مرة أخرى."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• راجع تعليمات البلوتوث لماسح الرمز الشريطي للتعيين إلى وضع HID."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "ثانيًا: راجع تعليمات ماسحك الضوئي للرمز الشريطي المزود بتقنية البلوتوث لتعيين وضع H-I-D."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• وصّل ماسحك الضوئي للرمز الشريطي بإعدادات البلوتوث في نظام التشغيل iOS."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "ثالثًا: وصّل ماسحك الضوئي للرمز الشريطي بإعدادات البلوتوث في نظام التشغيل iOS."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "النقر على منتج إلى \n إضافته إلى عربة التسوق"; @@ -11880,9 +11434,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "المنتجات الرائجة"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "البحث في متجرك"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "عمليات البحث الحديثة"; @@ -11901,6 +11452,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "لم يتم العثور على قسائم"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "تحديث"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "لإضافة نقطة بيع، اخرج منها وانتقل إلى المنتجات."; @@ -11931,6 +11485,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "إنشاء قسيمة"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "موافق"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "مسح البحث"; @@ -12665,9 +12222,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "تم"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "المساعدة والدعم"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "حصلت عليه"; @@ -13031,9 +12585,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "الطلبات"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "السداد"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "تجاهُل"; @@ -13442,8 +12993,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "الشحنة ⁦%1$d⁩"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "معالجة إضافية (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "يلزم توقيع شخص بالغ (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "مطلوب توقيع شخص بالغ (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "محايد الكربون (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "⁦%1$d⁩ من أيام العمل"; @@ -13463,8 +13020,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "التأمين (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "التسليم يوم السبت (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "يلزم التوقيع (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "مطلوب التوقيع (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "التعقُّب"; diff --git a/WooCommerce/Resources/de.lproj/Localizable.strings b/WooCommerce/Resources/de.lproj/Localizable.strings index b8148f78488..1bfb800acdc 100644 --- a/WooCommerce/Resources/de.lproj/Localizable.strings +++ b/WooCommerce/Resources/de.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 14:54:06+0000 */ +/* Translation-Revision-Date: 2025-07-01 11:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: de */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (an Kunden)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ pro %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Kopie von %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ zum Empfang von Zahlungen per Mobilgerät und zur Bestellung von Kartenlesegeräten."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "Erhalte %1$@ über Domains und Aktionen, die du im Zusammenhang mit Domains durchführen kannst."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ zur Verifizierung deiner Informationen mit WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Für diese internationale Lieferung muss ein Zollformular gedruckt und beigelegt werden"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Auf einer Website im Testmodus wurde eine echte Karte verwendet. Verwende stattdessen eine Testkarte."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Es ist ein Netzwerkfehler aufgetreten. Bitte überprüfe deine Verbindung und versuche es erneut."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "OPTIONEN HINZUFÜGEN"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ADRESSE"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Zurückgewinnung verlassener Warenkörbe"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Konto-Einstellungen"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Kontoart"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Verbundener Betrag"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Variante hinzufügen"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Domain hinzufügen"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Neue Kreditkarte hinzufügen"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Rückerstattbarer Betrag"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Gezahlter Betrag"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Eine Apple-ID kann nur zum Aktualisieren eines Shops verwendet werden"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Beim Verbinden des Kontos ist ein Fehler aufgetreten."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Beim Zugriff auf Bluetooth ist ein Fehler aufgetreten – bitte aktiviere Bluetooth und versuche es erneut"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Vor Kurzem wurde eine identische Transaktion übermittelt. Wenn du fortfahren möchtest, versuche es mit einer anderen Zahlungsmethode"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Ein Bild konnte nicht hochgeladen werden"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Eine falsche PIN wurde zu oft eingegeben. Versuche es mit einer anderen Zahlungsmethode"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Es wurde eine falsche PIN eingegeben. Versuche es erneut oder verwende eine andere Zahlungsmethode"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Optionale Bestätigung, die dem Kunden nach dem Kauf gesendet wird"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Anwendungsprotokolle"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Anwendungsname"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Handbücher für Kartenlesegerät"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Die Karte wurde im Lesegerät stecken gelassen – bitte entferne die Karte und stecke sie erneut ein"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Die Karte wurde zu früh entfernt – bitte führe die Transaktion erneut durch"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Abbrechen"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Stadt fehlt"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Domain beantragen"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Kostenlose Domain in Anspruch nehmen"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Klasse 1 – Paket mit Spielzeugtreibgas\/Schmelzsicherung (Toy Propellant\/Safety Fuse Package)"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Glückwunsch, du hast alles gelesen!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Herzlichen Glückwunsch zu deinem Kauf"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Glückwunsch! Du bist einen Schritt weiter auf dem Weg zu deinem neuen Shop."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Verbindung zum Reader wird hergestellt"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Zeitüberschreitung bei Verbindungsaufbau zum Kartenlesegerät – stelle sicher, dass es sich in der Nähe befindet und aufgeladen ist und versuche es dann erneut"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Verbindung deines Kontos"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Weiter"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Zeitraum"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Datum der Zahlung"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Versanddatum"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Rabatt"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Rabatt %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Rabattart"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Dokumente"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domains"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Fertig"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Feedback gesendet!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Gebühren"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Varianten werden abgerufen …"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Passwort vergessen?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Fehler bei Validierung des Formulars"; - /* Next web page */ "Forward" = "Weiter"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Gratis-Test"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Im ersten Jahr kostenlos"; - /* Country option for a site address. */ "French Guiana" = "Französisch-Guayana"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Persönliche Zahlungen"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "In-App-Käufe"; - /* Application's Inactive State */ "Inactive" = "Inaktiv"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Einfügen"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Karte einstecken"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Horizontalen Trenner einfügen"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Link einfügen"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Karte einstecken oder durchziehen"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Karte zum Bezahlen einstecken"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Lettland"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Wormholy-Debugging starten"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Starte deinen Shop"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mosambik"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Mehrere Karten zum kontaktlosen Bezahlen erfasst."; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Mehrere Shops"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Noch keine Kampagnen"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Es ist kein Kartenlesegerät verbunden – verbinde ein Kartenlesegerät und versuche es erneut"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Keine Kategorie ausgewählt"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Keine Verbindungsprobleme"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Keine Internetverbindung – bitte stelle eine Verbindung zum Internet her und versuche es erneut"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Keine Gutscheine gefunden"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Hinweis an Kunden"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Notizen"; - /* Default message for empty media picker */ "Nothing to show" = "Es gibt nichts zu zeigen"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Zahlungsübersicht"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Die Zahlung wurde wegen unzureichendem Guthaben abgelehnt. Versuche es mit einer anderen Zahlungsmethode"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Bezahlen fehlgeschlagen"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Zahlungsmethode"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Zahlung erfolgreich"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Die Zahlung wurde aus einem unbekannten Grund abgelehnt. Versuche es mit einer anderen Zahlungsmethode"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Die Zahlung wurde aus einem nicht näher bezeichneten Grund abgelehnt. Versuche es mit einer anderen Zahlungsmethode"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Lade bitte den Akku deines Lesegeräts auf"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Bitte stelle sicher, dass dein Gerät die folgenden Anforderungen erfüllt: iPhone XS oder ein neueres Modell mit iOS 16.7 oder höher. Kontaktiere den Support, wenn dieser Fehler auf einem unterstützten Gerät angezeigt wird."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Bitte überprüfe, ob deine Apple ID gültig ist, und versuche es dann erneut. Du benötigst eine gültige Apple ID, um die Geschäftsbedingungen von Apple akzeptieren zu können"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Bitte stelle eine Verbindung zu Jetpack über deine Admin-Seite in einem Browser her oder wende dich an den Support."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Für Hilfe wende dich bitte an den Support."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Bitte kontaktiere den Support – es gab ein Problem beim Start von Tap to Pay on iPhone"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Bitte wende dich an den Website-Betreiber, um eine Einladung zur Nutzung der App als Shop-Manager oder Administrator zu erhalten."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Bitte wähle ein Paket aus"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Bitte melde dich auf diesem Gerät bei iCloud an, um Tap to Pay on iPhone zu verwenden"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Versuche es später erneut oder kontaktiere uns, wir helfen dir gerne weiter!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Versuche es erneut oder kontaktiere uns, wir helfen dir gerne weiter!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Bitte versuche es erneut und akzeptiere die Geschäftsbedingungen von Apple, damit du Tap to Pay on iPhone nutzen kannst"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Bitte versuche es erneut oder kontaktiere den Support, um Hilfe zu erhalten"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Bitte versuch es noch einmal. Alternativ kannst du Jetpack über deinen WP Admin installieren."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Bitte versuche es mit einer anderen Abfrage."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Bitte aktualisiere die Software deines Kartenlesegeräts, um weiterhin Zahlungen empfangen zu können."; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Die Preise wurden erfolgreich aktualisiert."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Adresse der Haupt-Website"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Drucken"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Grund für die Rückerstattung der Bestellung"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Beleg"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Beleg vom %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Wiederkehrende Zahlungen'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Gutscheincode erneut generieren"; -/* Title of the domain contact info form. */ -"Register domain" = "Domain registrieren"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Regulärer Preis"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Eigenschaft entfernen"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Karte entfernen"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Rabatt entfernen"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Eigenschaft neu benennen"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Wird verlängert am %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Foto ersetzen"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Nach dem Aktualisieren erneut versuchen"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Kartenzahlung erneut versuchen"; - /* Action button to check site's connection again. */ "Retry Connection" = "Verbindung erneut versuchen"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS gesendet"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "VORSCHLÄGE"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Gutschein suchen"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Nach verfügbaren Domains suchen"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Nach einer Domain suchen"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Suche nach bestehendem Kunden oder"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Versendet am %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Mindestens eine E-Mail-Adresse ist ungültig."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Bei der Validierung ist ein unerwarteter Fehler aufgetreten. Überprüfe die Felder und versuche es erneut."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Jemand"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Leider konnte diese Zahlung nicht bearbeitet werden"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Leider konnte diese Zahlung nicht bearbeitet werden."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Die Rückerstattung konnte nicht storniert werden."; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Leider konnte diese Rückerstattung nicht bearbeitet werden"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Tut mir Leid, Benutzernamen müssen Buchstaben (A-Z) enthalten!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Diese Aktion konnte nicht abgeschlossen werden, da keine aktive Zahlung gefunden wurde."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Es konnte keine Verbindung zum Reader hergestellt werden. Bitte versuche es erneut."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Tap to Pay on iPhone konnte leider nicht gestartet werden. Bitte überprüfe deine Verbindung und versuche es erneut."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Abonnements"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Produktanzahl und Paketgewicht"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Zusammenfassung"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Zusammenfassung: Bestellung #%1$@"; - /* Country option for a site address. */ "Suriname" = "Surinam"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Schweden"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Karte durchziehen"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Shop wechseln"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Bericht zum Systemstatus in die Zwischenablage kopiert"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Karten für Systemtests sind für Zahlungen nicht zulässig. Versuche es mit einer anderen Zahlungsmethode"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé und Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Tap to Pay on iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tap to Pay on iPhone kann nicht während eines Anrufs verwendet werden. Bitte versuche es erneut, nachdem du den Anruf beendet hast."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = " „Tap to Pay“ auf dem iPhone ist bereit"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Steuerstatus"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Steuern"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Geschäftsbedingungen"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "In-App-Käufe testen, während Vorbereitungen für die Veröffentlichung laufen"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Teste unsere Add-ons zur Anzeige von Bestellungen, während wir uns auf die Einführung vorbereiten."; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "Die %1$@-Erweiterung ist für deinen Shop installiert, muss aber aktualisiert werden, damit du persönliche Zahlungen erhalten kannst. Bitte nimm ein Update auf die neueste Version vor."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Die Bluetooth-Verbindung zum Kartenlesegerät wurde unerwartet unterbrochen"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Das Google-Konto „%@“ stimmt mit keinem WordPress.com-Konto überein"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Fehler beim Laden der Bestellung."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Der Betrag wird für Tap to Pay on iPhone nicht unterstützt – bitte verwende ein Hardware-Lesegerät oder eine andere Zahlungsmethode."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "Die App konnte Tap to Pay on iPhone nicht aktivieren, da der NFC-Chip deaktiviert ist. Bitte wende dich an den Support, um weitere Informationen zu erhalten."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Die Eigenschaft konnte nicht entfernt werden."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Das Attribut konnte nicht gespeichert werden."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "Diese Währung wird von der Karte nicht unterstützt. Versuche es mit einer anderen Zahlungsmethode"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "Diese Art von Kauf wird von der Karte nicht unterstützt. Versuche es mit einer anderen Zahlungsmethode"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "Die Karte ist abgelaufen. Versuche es mit einer anderen Zahlungsmethode"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "Die Karte oder das zugehörige Konto ist ungültig. Versuche es mit einer anderen Zahlungsmethode"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Das Kartenlesegerät führt gerade einen anderen Befehl aus – bitte versuche es erneut"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Das Kartenlesegerät ist mit dieser Anwendung nicht kompatibel – bitte aktualisiere die Anwendung oder verwende ein anderes Kartenlesegerät"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "Die Sitzung des Kartenlesegeräts ist abgelaufen – bitte trenne das Kartenlesegerät und verbinde es wieder und versuche es dann erneut"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Die Software des Kartenlesegeräts ist veraltet – bitte aktualisiere die Software des Kartenlesegeräts, bevor du versuchst, Zahlungen zu verarbeiten"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Die Software des Kartenlesegeräts ist veraltet – bitte aktualisiere die Software des Kartenlesegeräts, bevor du versuchst, Zahlungen zu verarbeiten."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Die Software des Kartenlesegeräts ist veraltet – bitte aktualisiere die Software des Kartenlesegeräts, bevor du versuchst, Rückerstattungen zu verarbeiten"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "Das Software-Update des Kartenlesegeräts ist aufgrund eines Kommunikationsfehlers fehlgeschlagen – bitte versuche es erneut"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "Das Software-Update des Kartenlesegeräts ist aufgrund eines Problems mit dem Update-Server fehlgeschlagen – bitte versuche es erneut"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "Das Software-Update des Kartenlesegeräts ist unerwartet fehlgeschlagen – bitte versuche es erneut"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "Das Software-Update des Kartenlesegeräts wurde unterbrochen, bevor es abgeschlossen wurde – bitte versuche es erneut"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "Die Karte wurde vom Kartenlesegerät abgelehnt – bitte versuche es mit einer anderen Zahlungsmethode"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "Die Karte wurde vom Kartenlesegerät abgelehnt – bitte versuche es mit einer anderen Zahlungsmethode."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "Die Karte wurde vom Kartenlesegerät abgelehnt – bitte versuche es mit einer anderen Erstattungsmethode"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "Die Karte wurde vom iPhone-Kartenleser abgelehnt – bitte versuche es mit einer anderen Zahlungsmethode"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "Die Karte wurde vom Zahlungsabwickler abgelehnt – bitte versuche es mit einer anderen Zahlungsmethode."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Das Zertifikat für diesen Server ist ungültig. Du könntest zu einem Server verbinden, der nur vorgibt \"%@\" zu sein, was ein Sicherheitsrisiko darstellt.\n\nMöchtest Du dem Zertifikat trotzdem vertrauen?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Der Gutscheincode darf nicht leer sein"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Die Währung wird für Tap to Pay on iPhone nicht unterstützt – bitte verwende ein Hardware-Lesegerät oder eine andere Zahlungsmethode."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Der Kunde erhält eine E-Mail, sobald die Bestellung abgeschlossen ist."; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Die erworbene Domain wird Benutzer zu **%1$@** weiterleiten"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Die erworbene Domain wird Benutzer zur aktuellen Staging-Domain weiterleiten"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Die erworbene Domain wird Benutzer an deine Hauptadresse weiterleiten."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Wenn du „Tap to Pay“ auf dem iPhone das erste Mal verwendest, wirst du möglicherweise gebeten, die Geschäftsbedingungen von Apple zu akzeptieren."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Der Zahlungsbetrag ist für die vorliegende Karte nicht zulässig. Versuche es mit einer anderen Zahlungsmethode."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Die Zahlung kann vom Zahlungsabwickler nicht verarbeitet werden."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "Die Zahlungskarte wurde zu früh entfernt. Bitte versuche es erneut."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Diese Zahlungsmethode unterstützt keine automatischen Rückerstattungen. Schließe die Rückerstattung ab, indem du das Geld manuell an den Kunden überweist."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Die Zahlung wurde im Reader storniert"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Die Zahlung wurde storniert."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Die Rückerstattung kann vom Zahlungsabwickler nicht verarbeitet werden."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Zeitüberschreitung bei Anfrage – bitte versuche es erneut"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Die Anfrage zum Generieren eines Anwendungspassworts ist nicht autorisiert."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Menge auf Lager für dieses Produkt. Bearbeitung möglich."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Die Adresse des Shops ist unvollständig oder fehlt; bitte aktualisiere sie, bevor du fortfährst."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Die Postleitzahl des Shops ist ungültig oder fehlt; bitte aktualisiere sie, bevor du fortfährst."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Das System hat den Befehl unerwartet abgebrochen – bitte versuche es erneut"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Im System ist ein unerwarteter Softwarefehler aufgetreten"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Der Bericht zum Systemstatus für deine Website kann derzeit nicht abgerufen werden. Bitte versuch es noch einmal."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Die Postleitzahlen der Transaktion und der Karte stimmen nicht überein Versuche es mit einer anderen Zahlungsmethode"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Die Testzahlung konnte nicht gestartet werden. Bitte versuche es erneut oder wende dich an den Support, wenn dieses Problem weiterhin besteht."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Beim Empfangen der Zahlung ist ein Fehler aufgetreten."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Bei der Vorbereitung, Tap to Pay on iPhone zu verwenden, ist ein Fehler aufgetreten. Bitte versuche es erneut."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Lizenzen von Drittanbietern"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Diese App unterstützt nur die Benutzerrollen Administrator und Store-Manager Wenn du deine Rolle upgraden willst, wende dich bitte an deinen Store-Besitzer"; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Für diese Karte ist ein PIN-Code erforderlich; deshalb kann sie nicht bearbeitet werden. Versuche es mit einer anderen Zahlungsmethode"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Dies liegt wahrscheinlich daran, dass dein Shop über einige zusätzliche Sicherheitsschritte verfügt."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Der Artikel befindet sich derzeit in Paket %1$d: %2$@. Wohin möchtest du ihn verschieben?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Diese Zahlung wurde bereits abgeschlossen. Bitte überprüfe die Bestelldetails."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Fehler beim Laden des Produkts"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Andere Adresse versuchen"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Versuche es mit einer anderen Karte"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Versuche es mit einer anderen Lesemethode"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Autorisierung erneut versuchen"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Versuche es erneut mit der WP Admin-Seite"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Versuche es mit einer anderen Zahlungsmethode"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Versuche erneut, eine Verbindung herzustellen, um auf deinen Shop zuzugreifen."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Mit der Website-Adresse versuchen"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Vielleicht ist der erneute Versuch erfolgreich; oder versuche es mit einer anderen Zahlungsmethode"; - /* Country option for a site address. */ "Tunisia" = "Tunesien"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Gib einen Namen für deinen Shop ein"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Art der Inhalte"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Verbindung kann nicht hergestellt werden"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Es kann nicht auf Bluetooth zugegriffen werden – bitte aktiviere Bluetooth und versuche es erneut"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Es kann nicht auf die Standortdienste zugegriffen werden – bitte aktiviere die Standortdienste und versuche es erneut"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Der Gutschein konnte nicht hinzugefügt werden."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Status der Bestellung Nr. %1$d kann nicht geändert werden"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Es ist keine Kommunikation mit dem Kartenlesegerät möglich – bitte versuche es erneut"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Kartenlesegerät konnte nicht verbunden werden – das Kartenlesegerät wird bereits verwendet"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Kartenlesegerät konnte nicht verbunden werden – es ist bereits ein anderes Kartenlesegerät verbunden"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Kartenlesegerät konnte nicht verbunden werden – der Akkustand des Kartenlesegeräts ist extrem niedrig – bitte lade das Kartenlesegerät auf und versuche es erneut."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Es konnte keine neue Bestellung erstellt werden"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Bewertung kann nicht als %@ markiert werden"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Anfrage konnte mit dem verbundenen Kartenlesegerät nicht durchgeführt werden – nicht unterstützte Funktion – bitte versuche es erneut mit einem anderen Kartenlesegerät"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Softwareanfrage konnte nicht durchgeführt werden – bitte aktualisiere diese Anwendung und versuche es erneut"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Zahlung konnte aufgrund ungültiger Daten nicht verarbeitet werden – bitte versuche es erneut"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Zahlung konnte nicht bearbeitet werden. Gesamtsumme der Bestellung liegt unter der Mindestsumme, die du in Rechnung stellen kannst. Die Mindestsumme beträgt %1$@."; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Zahlung konnte nicht verarbeitet werden. Die aktuellen Bestelldetails konnten nicht abgerufen werden. Bitte überprüfe deine Netzwerkverbindung und versuche es erneut. Zugrunde liegender Fehler: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Karte konnte nicht gelesen werden – Zeitüberschreitung bei System – bitte versuche es erneut"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Eingesteckte Karte konnte nicht gelesen werden – bitte entferne die Karte und stecke sie erneut ein"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Durchgezogene Karte konnte nicht gelesen werden – bitte versuche erneut, die Karte durchzuziehen"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Unter dieser URL kann keine WordPress-Website gefunden werden. Tippe auf „Brauchst du weitere Hilfe?“, um die FAQ zu sehen."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Änderungen konnten nicht gespeichert werden. Bitte versuche es erneut."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Die Suche nach Kartenlesegeräten ist nicht möglich – Bluetooth Low Energy wird auf diesem Gerät nicht unterstützt – bitte verwende ein anderes Gerät"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Die Suche nach Kartenlesegeräten ist nicht möglich – Zeitüberschreitung bei Bluetooth – bitte versuche es erneut"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Kundendaten können nicht festgelegt werden."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Adresse konnte nicht aktualisiert werden."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Software des Kartenlesegeräts konnte nicht aktualisiert werden – der Akkustand des Kartenlesegeräts ist zu niedrig"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Preisaktualisierung nicht möglich"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Die Versandadresse konnte nicht automatisch verifiziert werden. Zeige sie auf Apple Maps an, um sicherzugehen, dass die Adresse richtig ist."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Ein erneuter Zahlungsversuch konnte nicht durchgeführt werden – bitte beginne von vorne."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Leider können wir dir zu diesem Zeitpunkt keine E-Mail senden. Bitte versuche es später erneut."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Du kannst Produkt-Add-ons im Web-Dashboard bearbeiten."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Die Domaineinstellungen findest du unter „Menü“ > „Einstellungen“"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Du kannst sie leicht und einfach verwalten."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Du bist nicht berechtigt, Plugins in diesem Shop zu verwalten."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "In deinem Tarif ist eine kostenlose Domain-Registrierung für ein Jahr enthalten."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Du hast eine neue Bestellung! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Bitte füge ein Passwort hinzu, damit dein Produkt passwortgeschützt ist."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Du musst einen Zugangscode für den Sperrbildschirm einrichten, um Tap to Pay on iPhone verwenden zu können"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Du hast anscheinend ein Mobil-Plugin von DudaMobile installiert, welche die App davon abhält, sich mit deinem Blog zu verbinden."; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Deine E-Mail-Adresse wird nicht mit einem WordPress.com-Konto verwendet"; -/* Title of the free domain view. */ -"Your free store address" = "Deine kostenlose Shop-Adresse"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Dein Gratis-Test ist abgelaufen"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Wenn du deine Website in Safari aufrufst, wird dir deine Website-Adresse oben in der Leiste angezeigt."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Deine Website-Adresse wird eingerichtet. Es kann bis zu 30 Minuten dauern, bis deine Domain funktioniert."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Deine Website-Domains"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Deine Website braucht sehr lange, um zu reagieren"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Alle Kampagnen anzeigen"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Diese App benötigt die Berechtigung zum Zugreifen auf Bluetooth, um eine Verbindung zum Kartenleser herstellen zu können. Du kannst diese Berechtigung in der Einstellungs-App des Systems im Abschnitt für Woo gewähren."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Der Bluetooth-Leser ist bereits mit einem anderen Gerät gekoppelt. Die Kopplung des Lesers muss zurückgesetzt werden, damit eine Verbindung zu diesem Gerät hergestellt werden kann."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Die Orts-ID der Bluetooth-Verbindung ist ungültig."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Diese App benötigt die Berechtigung zum Zugreifen auf Bluetooth, um eine Verbindung zum Kartenleser herstellen zu können. Du kannst diese Berechtigung in der Einstellungs-App des Systems im Abschnitt für Woo gewähren."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Die Informationen zur Gerätekopplung wurden vom Leser entfernt. Versuche, den Leser aus den iOS-Einstellungen zu entfernen."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Die Verbindung zum Bluetooth-Leser wurde getrennt. Es wird versucht, die Verbindung wiederherzustellen."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Der Vorgang konnte nicht abgebrochen werden, weil er bereits abgeschlossen war."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Die Funktion zum Durchziehen der Karte ist nicht verfügbar."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Die Ausführung des Befehls ist unter diesem Betriebssystem nicht zulässig. Wende dich an den Support."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Der Karteninhaber muss zustimmen, damit dieser Vorgang erfolgreich durchgeführt werden kann."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Beim Abrufen des Verbindungs-Tokens ist ein Fehler aufgetreten."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Bei der Verbindungs-Token-Anfrage ist eine Zeitüberschreitung aufgetreten."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Die Funktion ist nicht verfügbar. Wende dich an den Support."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Das Weiterleiten einer Live-Modus-Zahlung im Testmodus ist nicht gestattet."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Das Weiterleiten einer Testmoduszahlung im Live-Modus ist nicht gestattet."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac wird im Offline-Modus nicht unterstützt."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Ein unbekannter Netzwerkfehler ist aufgetreten."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Beim Versuch, über das Internet eine Verbindung zum Leser herzustellen, ist eine Zeitüberschreitung aufgetreten. Vergewissere dich, dass dein Gerät und der Leser dasselbe WLAN nutzen und dass dein Leser mit dem WLAN verbunden ist."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Der Client-Sicherheitsschlüssel ist ungültig. Wende dich an den Support."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Die Erkennungskonfiguration ist ungültig. Wende dich an den Support."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "Die Orts-ID ist ungültig."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Der für das Update ausgewählte Leser ist ungültig."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Die Parameter für die Rückerstattung sind ungültig. Wende dich an den Support."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Ein erforderlicher Parameter ist ungültig. Wende dich an den Support."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Die Daten der angegebenen Zahlungsmethode konnten vom Leser nicht gelesen werden. Wenn dieser Fehler wiederholt auftritt, ist der Leser möglicherweise defekt. Wende dich in diesem Fall an den Support."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Die Zahlungsabsicht fehlt. Wende dich an den Support."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Die Zahlungsmethode für die Rückerstattung fehlt. Wende dich an den Support."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Die Einrichtungsabsicht fehlt. Wende dich an den Support."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Die Zahlung wird im Offline-Modus bestätigt und die Karte wurde als abgelaufen identifiziert."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Stelle sicher, dass die Netzwerkverbindung beim Empfangen und Bestätigen von Zahlungen stabil bleibt."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Eine Testkarte wird im Live-Modus verwendet, während der Offline-Modus aktiv ist."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Die Zahlung wird im Offline-Modus bestätigt und die Verifizierung der Karte ist fehlgeschlagen."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Die Online-PIN-Methode wird im Offline-Modus nicht unterstützt. Versuche es mit einer anderen Karte."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Es wurde keine Karte innerhalb des Zeitlimits vorgelegt."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Die Konfiguration der Leserverbindung ist ungültig."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Beim Leser fehlen die für das Akzeptieren von Zahlungen erforderlichen Verschlüsselungsschlüssel. Daher wurde die Verbindung zum Leser getrennt und er wurde neu gestartet. Stelle die Verbindung zum Leser wieder her und versuche, die Schlüssel erneut zu installieren. Wenn dieser Fehler weiterhin auftritt, wende dich an den Support."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Die Software des Lesegeräts konnte nicht aktualisiert werden, weil das Update abgelaufen ist. Trenne die Verbindung zum Lesegerät und verbinde es dann erneut, um ein neues Update abzurufen."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Der Trinkgeld-Parameter des Lesegeräts ist ungültig. Wende dich an den Support."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Die Rückerstattung ist fehlgeschlagen. Die Bank oder der Kartenanbieter des Kunden konnte die Transaktion nicht richtig verarbeiten (mögliche Gründe: Bankkonto nicht mehr vorhanden oder Kartenproblem)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Beim Entschlüsseln der Stripe-API-Antwort ist ein Fehler aufgetreten. Wende dich an den Support."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Das verknüpfte Apple-ID-Konto wurde deaktiviert."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Beim Lesegerät ist ein unerwarteter Fehler aufgetreten."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Das von der Analyse zurückgegebene Lesegerät hat keine IP-Adresse und kann nicht verbunden werden."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Gutscheine"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Plugins"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Barcode zu kurz"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "Teilweiser Barcode-Scan"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Netzwerkanfrage fehlgeschlagen"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Gescannter Artikel nicht bekannt"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Barcode konnte nicht gelesen werden"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Scan fehlgeschlagen"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Artikeltyp nicht unterstützt"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Gutschein nicht angewendet"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Barcode-Scans"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Bitte warten"; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Fertig"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Barcode-Scans"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "Du kannst Barcodes mit einem externen Scanner scannen, um deinen Warenkorb schnell zu füllen."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Weitere Details."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Weitere Details, Link."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• Du kannst Barcodes unter „Produkte > Produktdetails > Lagerbestand“ im Feld „GTIN, UPC, EAN, ISBN“ einrichten. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "Erstens: Du kannst Barcodes unter „Produkte > Produktdetails > Lagerbestand“ im Feld „G-T-I-N, U-P-C, E-A-N, I-S-B-N“ einrichten."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• In der Ansicht mit der Artikelliste kannst du Barcodes scannen, um Produkte zum Warenkorb hinzuzufügen."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Viertens: In der Ansicht mit der Artikelliste kannst du Barcodes scannen, um Produkte zum Warenkorb hinzuzufügen."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "Der Scanner zeigt eine Tastatur an, sodass in manchen Fällen die Softwaretastatur nicht angezeigt wird, z. B. in der Suche. Tippe auf das Tastatur-Icon, um sie erneut anzuzeigen."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• Informationen zum Festlegen des HID-Modus findest du in der Anleitung des Bluetooth-Barcodescanners."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "Zweitens: Informationen zum Festlegen des H-I-D-Modus findest du in der Anleitung des Bluetooth-Barcodescanners."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• Stelle über die iOS-Bluetooth-Einstellungen eine Verbindung mit deinem Barcode-Scanner her."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Drittens: Stelle über die Bluetooth-Systemeinstellungen eine Verbindung mit deinem Barcode-Scanner her."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "Tippe auf ein Produkt, um \n es dem Warenkorb hinzuzufügen"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Beliebte Produkte"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Deinen Shop durchsuchen"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Aktuelle Suchen"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Keine Gutscheine gefunden"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Aktualisieren"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Wenn du eins hinzufügen möchtest, beende POS und gehe zu „Produkte“."; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Gutschein erstellen"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "OK"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Suche löschen"; @@ -11967,6 +11524,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "Ausverkauft"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "Neue Bestellung"; @@ -12674,9 +12234,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Fertig"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Hilfe & Support"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Schließen"; @@ -13046,9 +12603,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Bestellungen"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Bezahlen"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Verwerfen"; @@ -13457,8 +13011,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Sendung %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "Zusätzliche Handhabung (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Unterschrift eines Erwachsenen erforderlich (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Unterschrift eines Erwachsenen erforderlich (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "Klimaneutral (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d Werktag"; @@ -13478,8 +13038,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Versicherung (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "Zustellung am Samstag (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Unterschrift erforderlich (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "Unterschrift erforderlich (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Sendungsverfolgung"; diff --git a/WooCommerce/Resources/es.lproj/Localizable.strings b/WooCommerce/Resources/es.lproj/Localizable.strings index 6493e0f90a1..443a137a5e4 100644 --- a/WooCommerce/Resources/es.lproj/Localizable.strings +++ b/WooCommerce/Resources/es.lproj/Localizable.strings @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (Para el cliente)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Copia de %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ sobre cómo aceptar pagos con tu dispositivo móvil y pedir lectores de tarjetas."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ sobre los dominios y cómo llevar a cabo acciones relacionadas con estos."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ sobre la verificación de tu información con Woo Payments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "El formulario de aduanas se debe imprimir y adjuntar a este envío internacional"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Se ha utilizado una tarjeta real en un sitio que se encuentra en modo de prueba. En su lugar, usa una tarjeta de prueba."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Se ha producido un error de red. Comprueba tu conexión e inténtalo de nuevo."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AÑADIR OPCIONES"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "DIRECCIÓN"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "SOPORTE"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Recuperación de carritos abandonados"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Ajustes de la cuenta"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Tipo de Cuenta"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Cuenta conectada"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Añadir variación"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Añade un dominio"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Añadir una nueva tarjeta de crédito"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Cantidad apta para el reembolso"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Importe pagado"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Cada ID de Apple solo se puede utilizar para mejorar una tienda"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Ha ocurrido un error al cerrar la cuenta."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Se ha producido un error al acceder al Bluetooth. Actívalo e inténtalo de nuevo."; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Recientemente, se ha emitido una transacción idéntica. Si quieres continuar, prueba otro método de pago."; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "No se ha podido subir la imagen"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Se ha introducido un PIN incorrecto demasiadas veces. Prueba otro método de pago."; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Se ha introducido un PIN incorrecto. Inténtalo de nuevo o utiliza otro método de pago"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Una nota opcional para enviarla al cliente después de la compra"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Registros de la aplicación"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Nombre de aplicación"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Manuales del lector de tarjetas"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "La tarjeta se ha dejado en el lector. Retírala y vuelve a introducirla."; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "La tarjeta se he retirado demasiado pronto. Prueba a realizar la transacción de nuevo."; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Cancelar"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Falta la ciudad"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Solicitar dominio"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Reclama tu dominio gratuito"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Clase 1 - Paquete de fusible de seguridad\/propulsores de juguete"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "¡Enhorabuena, has acabado de leer!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Felicidades por tu compra"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "¡Enhorabuena! Ya estás un paso más cerca de que tu tienda esté lista."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Conectando con el lector"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "El tiempo de conexión al lector de tarjetas se ha agotado. Asegúrate de que está cerca y cargado e inténtalo de nuevo."; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Conectando con tu cuenta"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Continuar"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Rango de fechas"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Fecha de pago"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Fecha de envío"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Descuento"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Descuento %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Tipo de descuento"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Documentos"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Dominios"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Listo"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "¡Comentario enviado!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Comisiones"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Recuperando variaciones…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "¿Olvidaste tu contraseña?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Error de validación del formulario"; - /* Next web page */ "Forward" = "Adelante"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Prueba gratuita"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratis el primer año"; - /* Country option for a site address. */ "French Guiana" = "Guayana Francesa"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Pagos en Persona"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Compras en la aplicación"; - /* Application's Inactive State */ "Inactive" = "Inactivo"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Insertar"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Introduce la tarjeta"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Insertar una regla horizontal"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Insertar enlace"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Introduce o pasa la tarjeta"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Introduce una tarjeta para pagar"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Letonia"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Iniciar la depuración con Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Publica tu tienda"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambique"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Se han detectado varias tarjetas de pago sin contacto."; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Varias tiendas"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Todavía no hay campañas"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "No se ha conectado ningún lector de tarjetas. Conecta un lector e inténtalo de nuevo."; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "No se ha seleccionado ninguna categoría"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "No hay problemas de conexión"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Sin conexión a Internet. Conéctate a Internet e inténtalo de nuevo."; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "No se han encontrado cupones"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Enviar la nota al cliente"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Notas"; - /* Default message for empty media picker */ "Nothing to show" = "Nada que mostrar"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Cantidad total del pago"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Se ha rechazado el pago porque no hay fondos suficientes. Prueba otro método de pago."; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Error de pago"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Método de pago"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Pago correcto"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Se ha rechazado el pago por motivos desconocidos. Prueba otro método de pago."; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Se ha rechazado el pago por motivos que no se han especificado. Prueba otro método de pago."; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Carga el lector"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Comprueba que tu teléfono cumple estos requisitos: iPhone XS o posterior con iOS 16.7 o superior. Ponte en contacto con el servicio de soporte si aparece este error en un dispositivo compatible."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Comprueba que tu ID de Apple sea válido e inténtalo de nuevo. Para aceptar las Condiciones del servicio de Apple, se requiere un ID de Apple válido."; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Conecta Jetpack a través de la página de administración en un navegador o ponte en contacto con el soporte técnico."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Por favor, contacta con soporte para obtener ayuda."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Se ha producido un error al iniciar Tap to Pay on iPhone; ponte en contacto con el servicio de soporte."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Ponte en contacto con el propietario del sitio para obtener una invitación como gestor o administrador de la tienda y utilizar la aplicación con este rol."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Por favor, elige un paquete"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Inicia sesión en iCloud en este dispositivo para utilizar Tap to Pay on iPhone."; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Inténtalo de nuevo más tarde o ponte en contacto con nosotros y estaremos encantados de ayudarte."; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Inténtalo de nuevo o ponte en contacto con nosotros y estaremos encantados de ayudarte."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Inténtalo de nuevo y acepta las Condiciones del servicio de Apple para poder utilizar Tap to Pay on iPhone."; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Inténtalo de nuevo o ponte en contacto con el equipo de soporte si necesitas ayuda"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Inténtalo de nuevo. Si lo prefieres, puedes instalar Jetpack a través de tu WP-Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Prueba a hacer otra consulta."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Actualiza el software del lector para seguir aceptando pagos"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Los precios se han actualizado correctamente."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Dirección principal del sitio"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Imprimir"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Motivo del pedido de reembolso"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Recibo"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Recibo de %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Pagos recurrentes'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Regenerar código del cupón"; -/* Title of the domain contact info form. */ -"Register domain" = "Registrar dominio"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Precio normal"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Eliminar atributo"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Retira la tarjeta."; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Eliminar descuento"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Renombrar atributo"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Se renovará el %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Reemplazar foto"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Inténtalo de nuevo después de actualizar."; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Vuelve a pasar la tarjeta."; - /* Action button to check site's connection again. */ "Retry Connection" = "Volver a intentar la conexión"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "Se ha enviado un SMS"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "SUGERENCIAS"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Buscar cupones"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Buscar dominios"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Buscar un dominio"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Buscar un cliente existente o"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Enviado el %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Alguna dirección de correo electrónico no es válida."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Ha ocurrido un error inesperado en la validación. Revisa los campos e inténtalo de nuevo."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Alguien"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "No se ha podido procesar este pago."; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "No se ha podido procesar este pago."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Lo sentimos, este reembolso no se ha podido cancelar"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "No se ha podido procesar el reembolso"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Disculpa, el nombre de usuario, también debe contener letras."; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Lo sentimos, no hemos podido completar esta acción, ya que no se ha encontrado ningún pago activo."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Lo sentimos, no hemos podido conectar con el lector. Inténtalo de nuevo."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Lo sentimos, no hemos podido iniciar la función Tocar para pagar en el iPhone. Comprueba la conexión e inténtalo de nuevo."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Subscriptions"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Total de productos y peso del paquete"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Resumen"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Resumen: pedido #%1$@"; - /* Country option for a site address. */ "Suriname" = "Surinam"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Suecia"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Pasa la tarjeta"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Cambiar de tienda"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Se ha copiado el informe de estado del sistema en el portapapeles."; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "No se pueden realizar pagos con las tarjetas de prueba del sistema. Prueba otro método de pago."; - /* Country option for a site address. */ "São Tomé and Príncipe" = "Santo Tomé y Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Toca para pagar en el iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "No se puede utilizar Tap to Pay on iPhone durante una llamada telefónica. Inténtalo de nuevo al terminar la llamada."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Tap to Pay on iPhone está listo"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Estado del impuesto"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Impuestos"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Condiciones del servicio"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Prueba las compras en la aplicación mientras preparamos el lanzamiento"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Prueba la visualización de Complementos del pedido mientras preparamos la publicación"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "La extensión %1$@ está instalada en tu tienda, pero se debe actualizar para los Pagos en persona. Actualízala a la versión más reciente."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "La conexión entre el Bluetooth y el lector de tarjetas se ha perdido inesperadamente."; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "La cuenta de Google \"%@\" no coincide con ninguna cuenta de WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "No se ha podido cargar el pedido."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "El importe no es compatible con Tap to Pay on iPhone. Prueba con un lector físico o con otro método de pago."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "La aplicación no ha podido activar Tap to Pay on iPhone porque el chip NFC está desactivado. Ponte en contacto con el servicio de soporte para obtener más información."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "No se ha podido eliminar el atributo."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "No se ha podido guardar el atributo."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "La tarjeta no admite esta moneda. Prueba otro método de pago."; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "La tarjeta no admite este tipo de compras. Prueba otro método de pago."; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "La tarjeta ha caducado. Prueba otro método de pago."; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "La tarjeta o la cuenta de la tarjeta no es válida. Prueba otro método de pago."; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "El lector de tarjetas está ocupado ejecutando otro comando. Inténtalo de nuevo."; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "El lector de tarjetas no es compatible con esta aplicación. Prueba a actualizar la aplicación o usar otro lector."; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "La sesión del lector de tarjetas ha caducado. Desconéctalo y vuelve a conectarlo y, después, inténtalo de nuevo."; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "El software del lector de tarjetas está obsoleto. Actualízalo antes de intentar procesar pagos."; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "El software del lector de tarjetas está obsoleto. Actualízalo antes de intentar procesar pagos."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "El software del lector de tarjetas no está actualizado. Actualízalo antes de intentar procesar reembolsos."; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "La actualización del software del lector de tarjetas ha fallado debido a un error de comunicación. Inténtalo de nuevo."; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "La actualización del software del lector de tarjetas ha fallado debido a un problema con el servidor de la actualización. Inténtalo de nuevo."; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "La actualización del software del lector de tarjetas ha fallado inesperadamente. Inténtalo de nuevo."; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "La actualización del software del lector de tarjetas se ha interrumpido antes de completarse. Inténtalo de nuevo."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "El lector de tarjetas ha rechazado la tarjeta. Prueba otro método de pago."; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "El lector de tarjetas ha rechazado la tarjeta. Prueba otro método de pago."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "El lector de tarjetas ha rechazado la tarjeta. Prueba con otro método de reembolso."; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "El lector de tarjetas del iPhone ha rechazado la tarjeta. Prueba con otro método de pago."; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "El procesador de pagos ha rechazado la tarjeta. Prueba otro método de pago."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "El certificado para este servidor no es válido. Puede que estés intentando conectar con un servidor que aparenta ser \"%@\", lo que podría poner en peligro tu información confidencial.\n\n¿Deseas confiar en el certificado de todos modos?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "El código del cupón no puede estar vacío."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "La moneda no es compatible con Tap to Pay on iPhone. Prueba con un lector físico o con otro método de pago."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "El cliente recibirá un correo electrónico cuando se complete el pedido"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "El dominio comprado redireccionará a los usuarios a **%1$@**."; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "El dominio comprado redireccionará a los usuarios al dominio de prueba actual."; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "El dominio comprado redireccionará a los usuarios a la dirección principal."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Es posible que la primera vez que utilices Tap to Pay on iPhone, se te solicite que aceptes las condiciones del servicio de Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "La tarjeta presentada no permite realizar un pago por este importe. Prueba otro método de pago."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "El procesador de pagos no puede procesar el pago."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "La tarjeta de pago se ha eliminado demasiado pronto, inténtalo de nuevo."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "El método de pago no admite reembolsos automáticos. Para realizar el reembolso, transfiere manualmente el dinero al cliente."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Se ha cancelado el pago a través del lector"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Se ha cancelado el pago."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "El procesador de pagos no puede procesar el reembolso."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Se ha agotado el tiempo de espera de la solicitud. Inténtalo de nuevo."; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "La solicitud para generar una contraseña de aplicación no se ha autorizado."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "La cantidad en inventario de este producto. Editable."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Falta la dirección de la tienda o no está completa. Actualízala antes de continuar."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Falta el código postal de la tienda o no es válido. Actualízalo antes de continuar."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "El sistema ha cancelado el comando inesperadamente. Inténtalo de nuevo."; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Se ha producido un error de software inesperado en el sistema."; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "En este momento, no puedes obtener el informe de estado del sistema para tu sitio. Inténtalo de nuevo."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "El código postal de la transacción y el de la tarjeta no coinciden. Prueba otro método de pago."; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "No se ha podido iniciar el pago de la prueba, inténtalo de nuevo más tarde o, si el problema continúa, ponte en contacto con el servicio de soporte."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Se ha producido un error al intentar recibir el pago."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Se ha producido un error al preparar el uso de Tap to Pay on iPhone. Inténtalo de nuevo."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Licencias de terceros"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Esta aplicación solo es compatible con los roles de usuario de administrador y gestor de tienda. Contacta con el propietario de la tienda para actualizar tu rol."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Esta tarjeta necesita un código PIN y, por lo tanto, no se puede procesar. Prueba otro método de pago."; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Podría deberse a que en tu tienda haya que seguir algunos pasos de seguridad adicionales."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Actualmente, este artículo se encuentra en el Paquete %1$d: %2$@. ¿A dónde te gustaría moverlo?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Este pago ya se ha completado; comprueba los detalles del pedido."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "No se ha podido cargar el producto"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Prueba con otra dirección"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Prueba con otra tarjeta."; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Prueba otro método de lectura."; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Prueba a autorizarlo de nuevo"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Inténtalo de nuevo con la página WP-Admin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Prueba otro método de pago."; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Prueba a conectarte de nuevo para acceder a tu tienda."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Prueba con la dirección del sitio"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Probar otra vez, o intentar usar otro método de pago, puede solucionar el problema."; - /* Country option for a site address. */ "Tunisia" = "Túnez"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Escribe un nombre para tu tienda"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Tipo de contenido"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "No fue posible conectar"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "No se ha podido acceder al Bluetooth. Actívalo e inténtalo de nuevo."; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "No se ha podido acceder a los servicios de ubicación. Actívalos e inténtalo de nuevo."; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "No se ha podido añadir el cupón."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "No se ha podido cambiar el estado del pedido n.º %1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "No se ha podido comunicar con el lector. Inténtalo de nuevo."; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "No se ha podido conectar al lector de tarjetas. Este todavía está en uso."; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "No se ha podido conectar al lector. Hay otro lector conectado."; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "No se ha podido conectar al lector. El nivel de batería del lector es demasiado bajo. Cárgalo e inténtalo de nuevo."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "No se ha podido crear el nuevo pedido"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "No se ha podido marcar la reseña como %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "No se ha podido ejecutar la solicitud con el lector conectado. Función no admitida. Inténtalo de nuevo con otro lector."; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "No se ha podido ejecutar la solicitud del software. Actualiza esta aplicación e inténtalo de nuevo."; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "No se ha podido procesar el pago debido al uso de datos no válidos. Inténtalo de nuevo."; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "No se puede procesar el pago. El importe total del pedido es inferior al importe mínimo que puedes cobrar, que es %1$@."; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "No se puede procesar el pago. No hemos podido obtener los últimos detalles del pedido. Comprueba tu conexión a la red e inténtalo de nuevo. Error subyacente: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "No se ha podido leer la tarjeta. Se ha agotado el tiempo de espera del sistema. Inténtalo de nuevo."; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "No se ha podido leer la tarjeta. Prueba a retirarla e introducirla de nuevo."; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "No se ha podido leer la tarjeta. Prueba a pasarla de nuevo."; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "No se ha podido leer el sitio de WordPress en esa dirección URL. Toca \"¿Necesitas más ayuda?\" para ver las Preguntas frecuentes."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "No se pueden guardar los cambios. Inténtalo de nuevo."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "No se han podido buscar lectores de tarjetas. El Bluetooth de baja energía no es compatible con este dispositivo. Usa otro dispositivo."; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "No se han podido buscar lectores de tarjetas. Se ha agotado el tiempo de espera del Bluetooth. Inténtalo de nuevo."; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "No se han podido establecer los datos del cliente."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "No se puede actualizar la dirección."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "No se ha podido actualizar el software del lector de tarjetas. El lector tiene poca batería."; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "No se puede actualizar el precio"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "No hemos podido verificar automáticamente la dirección de envío. Visualízalo en Apple Maps para comprobar que la dirección es correcta."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "No hemos podido reintentar el pago; empieza de nuevo."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "No hemos sido capaces de enviarte un correo electrónico en este momento. Por favor, inténtalo más tarde de nuevo."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Puedes editar los complementos para los productos en el escritorio del sitio web."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Para acceder a los ajustes del dominio, ve a Menú > Ajustes."; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Gestiona de forma rápida y sencilla."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "No tienes permiso para gestionar plugins en esta tienda."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Tu plan incluye el registro de dominio gratis durante un año."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Tienes un pedido nuevo 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Tienes que añadir una contraseña para proteger el producto"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Es necesario que establezcas un código de acceso en la pantalla de bloqueo para utilizar Tap to Pay on iPhone."; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Parece que tienes instalado el plugin móvil de DudaMobile y está impidiendo a la aplicación conectarse a tu blog"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Ninguna cuenta de WordPress.com utiliza tu dirección de correo electrónico"; -/* Title of the free domain view. */ -"Your free store address" = "Dirección de tu tienda gratuita"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Tu período de prueba ha finalizado"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "La dirección de tu sitio aparece en la barra de arriba de la pantalla cuando visitas tu sitio en Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Se está configurando la dirección de tu sitio. El dominio puede tardar hasta 30 minutos en empezar a funcionar."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Tus dominios de sitio web"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Tu sitio tarda bastante en responder"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Ver todas las campañas"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "La aplicación necesita permiso para acceder al Bluetooth y conectarse a tu lector de tarjetas. Puedes otorgar el permiso en los ajustes del sistema, en la sección Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "El lector Bluetooth ya está vinculado con otro dispositivo. Es necesario restablecer la vinculación del lector para conectarlo con este dispositivo."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "La conexión Bluetooth tiene un ID de ubicación no válido."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "La aplicación necesita permiso para acceder al Bluetooth y conectarse a tu lector de tarjetas. Puedes otorgar el permiso en los ajustes del sistema, en la sección Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "El lector ha eliminado la información de vinculación de este dispositivo. Intenta olvidar el lector en los ajustes de iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "El lector Bluetooth se ha desconectado y estamos intentando restablecer la conexión."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "No se ha podido cancelar la operación porque ya se había completado."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "La función de deslizar la tarjeta no está disponible."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Ponte en contacto con el soporte técnico: el sistema operativo no puede ejecutar el comando."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "El titular de la tarjeta debe dar su consentimiento para que la operación se complete correctamente."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Se ha producido un error al recuperar el token de conexión."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "La solicitud del token de conexión ha caducado."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Ponte en contacto con el soporte técnico: la función no está disponible."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "No se permite reenviar un pago en modo en vivo en el modo de prueba."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "No se permite reenviar un pago en modo de prueba en el modo en vivo."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac no es compatible con el modo sin conexión."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Se ha producido un error desconocido en la red."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "La conexión con el lector a través de Internet ha caducado. Asegúrate de que el dispositivo y el lector están conectados a la misma red Wi-Fi."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Ponte en contacto con el soporte técnico: la clave secreta del cliente no es válida."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Ponte en contacto con el soporte técnico: la configuración de detección no es válida."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "El ID de ubicación no es válido."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "El lector que quieres actualizar no es válido."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Ponte en contacto con el soporte técnico: los parámetros de reembolso no son válidos."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Ponte en contacto con el soporte técnico: el parámetro necesario no es válido."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "El lector no ha podido leer los datos del método de pago presentado. Si se produce este error varias veces, es posible que el lector esté defectuoso, por lo que te recomendamos que te pongas en contacto con el soporte técnico."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Ponte en contacto con el soporte técnico: no se ha encontrado la intención de pago."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Ponte en contacto con el soporte técnico: no se ha encontrado el método de reembolso del pago."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Ponte en contacto con el soporte técnico: no se ha encontrado el intento de configuración."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Se estaba confirmando el pago sin conexión, pero se ha detectado que la tarjeta había caducado."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Asegúrate de que la conexión a la red es consistente en el momento de recibir y confirmar el pago."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Cuando no hay conexión, se utiliza una tarjeta de prueba en el modo en vivo."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Se ha producido un error al confirmar el pago sin conexión y verificar la tarjeta."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "El PIN en línea no se admite en el modo sin conexión. Intenta efectuar el pago de nuevo con otra tarjeta."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "No se ha presentado una tarjeta dentro del límite de tiempo."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "La configuración de conexión del lector no es válida."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "El lector no dispone de las claves de cifrado necesarias para recibir pagos y se ha desconectado y reiniciado. Vuelve a conectarte al lector para intentar reinstalar las claves. Si el error persiste, ponte en contacto con el soporte técnico."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "No se ha podido actualizar el software del lector porque la actualización ha caducado. Desconéctate del lector y vuelve a conectarte para recuperar una nueva actualización."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Ponte en contacto con el soporte técnico: el parámetro de propinas del lector no es válido."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "No se ha podido efectuar el reembolso. El banco o el emisor de la tarjeta del cliente no han podido procesarlo correctamente (por ejemplo, la cuenta bancaria está cerrada o hay un problema con la tarjeta)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Ponte en contacto con el soporte técnico: se ha producido un error al descodificar la respuesta de la API de Stripe."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "El ID de la cuenta de Apple vinculada se ha desactivado."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Se ha producido un error inesperado con el lector."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "El lector devuelto por la detección no tiene dirección IP y no es posible conectarse a él."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Cupones"; @@ -11889,9 +11389,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Productos populares"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Buscar en tu tienda"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Búsquedas recientes"; @@ -12674,9 +12171,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Hecho"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Ayuda y soporte"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Entendido"; @@ -13046,9 +12540,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Pedidos"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Finalizar compra"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Descartar"; @@ -13457,9 +12948,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Envío %1$d"; -/* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Firma de un adulto obligatoria (+%1$@)"; - /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d día laborable"; @@ -13478,9 +12966,6 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Seguro (%1$@)"; -/* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Firma obligatoria (+%1$@)"; - /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Seguimiento"; diff --git a/WooCommerce/Resources/fr.lproj/Localizable.strings b/WooCommerce/Resources/fr.lproj/Localizable.strings index dc5ba031281..6f534ab0633 100644 --- a/WooCommerce/Resources/fr.lproj/Localizable.strings +++ b/WooCommerce/Resources/fr.lproj/Localizable.strings @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (au client)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Copie %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ sur l'acceptation des paiements avec votre appareil mobile et la commande de lecteurs de cartes"; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ concernant les domaines et les possibilités d’action en lien avec ceux-ci."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ sur la vérification de vos informations avec WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Un formulaire douanier doit être imprimé et inclus dans cet envoi international"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Une carte réelle a été utilisée sur un site en mode test. Utilisez plutôt une carte en mode test."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Une erreur réseau est survenue. Veuillez vérifier votre connexion et réessayer."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AJOUTER DES OPTIONS"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ADRESSE"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Récupération de panier abandonné"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Paramètres du compte"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Type de compte"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Compte connecté"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Ajouter une variante"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Ajouter un domaine"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Ajouter une nouvelle carte de crédit"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Montant éligible au remboursement"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Montant payé"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Un ID Apple ne peut être utilisé que pour la mise à niveau d’une seule boutique"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Une erreur est survenue lors de la clôture du compte."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Une erreur s’est produite lors de la tentative d’accès au Bluetooth. Activez le Bluetooth et réessayez"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Une transaction identique a été soumise récemment. Si vous souhaitez poursuivre, essayez un autre moyen de paiement"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Échec de la mise en ligne de l’image"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Un code PIN incorrect a été saisi trop de fois. Essayez un autre moyen de paiement"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Un code PIN incorrect a été saisi. Réessayez ou utilisez un autre moyen de paiement"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Note facultative à envoyer au client après l’achat"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Journaux d'application"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Nom de l’application"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Manuels de lecteur de carte"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "La carte n’a pas été retirée du lecteur. Retirez-la, puis réinsérez-la"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "La carte a été retirée trop tôt. Relancez la transaction"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Annuler"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Ville manquante"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Demander un domaine"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Demander votre domaine gratuit"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Classe 1 : matières et objets explosibles"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Féliciations, vous avez tout lu !"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Félicitations pour votre achat"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Bravo ! Vous êtes sur le point d’avoir terminé votre nouvelle boutique."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Connexion au lecteur"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "La connexion au lecteur de cartes a été interrompue après le délai. Assurez-vous qu’il est assez près et bien chargé, puis réessayez"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Connexion à votre compte"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Continuez"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Plage de dates"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Date du paiement"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Date d'expédition"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Réduction"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Remise %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Type de remise"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Documents"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domaines"; - /* Country option for a site address. */ "Dominica" = "Dominique"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Terminé"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Commentaire envoyé !"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Frais"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Extraction des variantes en cours..."; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Mot de passe oublié ?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Erreur de validation du formulaire"; - /* Next web page */ "Forward" = "Transmettre"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Essai gratuit"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratuit la première année "; - /* Country option for a site address. */ "French Guiana" = "Guyane française"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Paiements en personne"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Achats intégrés à l’application"; - /* Application's Inactive State */ "Inactive" = "Inactif"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Insérer"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Insérer la carte"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Insérer une règle horizontale"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Insérer un lien"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Insérer ou glisser la carte"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Insérez une carte pour procéder au paiement"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Lettonie"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Lancer le débogueur Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Lancez votre boutique"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambique"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Plusieurs cartes sans contact détectées"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Plusieurs boutiques"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "No campaigns yet"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Aucun lecteur de cartes n’est connecté. Connectez un lecteur, puis réessayez"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Aucune catégorie sélectionnée"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Aucun problème de connexion"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Aucune connexion à Internet. Connectez-vous à Internet, puis réessayez"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Aucun code promo trouvé"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Note au client"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Notes"; - /* Default message for empty media picker */ "Nothing to show" = "Rien à afficher"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Totaux des paiements"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Le paiement a été refusé en raison de fonds insuffisants. Essayez un autre moyen de paiement"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Échec du paiement"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Moyen de paiement"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Paiement réussi"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Le paiement a été refusé pour une raison inconnue. Essayez un autre moyen de paiement"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Le paiement a été refusé pour une raison non spécifiée. Essayez un autre moyen de paiement"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Veuillez charger le lecteur"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Assurez-vous que votre téléphone dispose de la configuration requise suivante : iPhone XS ou plus récent exécutant iOS 16.7 ou une version ultérieure. Contactez l’assistance si cette erreur s’affiche sur un appareil pris en charge."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Assurez-vous que votre ID Apple est valide, puis réessayez. Un ID Apple valide est obligatoire pour pouvoir accepter les conditions d’utilisation d’Apple."; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Connectez Jetpack par le biais de votre page d’administration sur un navigateur ou contactez l’assistance."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Veuillez contacter le support pour de l’aide."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Veuillez contacter l’assistance. Un problème est survenu lors du démarrage du service Appuyer pour payer sur iPhone."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Contactez le propriétaire du site pour obtenir une invitation d'accès au site en tant que gérant ou administrateur de boutique pour utiliser l'application."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Veuillez sélectionner un colis"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Connectez-vous à iCloud sur cet appareil pour utiliser le service Appuyer pour payer sur iPhone."; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Réessayez plus tard ou contactez-nous et nous vous aiderons avec plaisir !"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Réessayez ou contactez-nous ; nous nous ferons un plaisir de vous aider !"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Veuillez réessayer et accepter les conditions d’utilisation d’Apple pour pouvoir utiliser le service Appuyer pour payer sur iPhone."; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Réessayez ou contactez l’assistance pour obtenir de l’aide"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Veuillez réessayer. Vous pouvez aussi installer Jetpack via votre WP-Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Veuillez essayer une autre requête."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Veuillez mettre à jour le logiciel de votre lecteur pour continuer à accepter les paiements"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Les prix ont bien été mis à jour."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Adresse du site principal"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Imprimer"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Motif du remboursement de la commande"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Reçu"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Reçu de %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Paiements récurrents’"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Générer un nouveau code promo"; -/* Title of the domain contact info form. */ -"Register domain" = "Enregistrer le domaine"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Tarif standard"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Supprimer l’attribut"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Retirer la carte"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Supprimer une remise"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Renommer l’attribut"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Renouvellement le %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Remplacer une photo"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Réessayer après la mise à jour"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Réessayer"; - /* Action button to check site's connection again. */ "Retry Connection" = "Réessayer de se connecter"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS envoyé"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "Suggestions"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Recherche codes promo"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Rechercher des domaines"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Rechercher un domaine"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Rechercher un client existant ou"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Livré le %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Au moins une adresse e-mail n’est pas valide."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Une erreur inattendue est survenue au moment de la validation. Veuillez vérifier les champs, puis recommencez."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Quelqu'un"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Désolé, impossible de traiter ce paiement"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Impossible de traiter ce paiement, veuillez nous en excuser."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Veuillez nous excuser, nous n’avons pas pu annuler ce remboursement "; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Désolé, impossible de traiter ce remboursement"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "L'identifiant doit aussi contenir des lettre (a-z) !"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Désolé, nous n’avons pas pu terminer cette action, car aucun paiement actif n’a été trouvé."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Désolés, nous n’avons pas pu nous connecter au lecteur. Veuillez réessayer."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Désolés, nous n’avons pas pu démarrer la fonctionnalité iPhone Appuyer pour payer. Veuillez vérifier votre connexion et réessayer."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Abonnements"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Somme des produits et poids du colis"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Sommaire"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Résumé : Commande %1$@"; - /* Country option for a site address. */ "Suriname" = "Suriname"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Suède"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Faire glisser la carte"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Changer de boutique"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Le rapport sur l’état du système a été copié dans le presse-papiers."; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Les cartes de test système ne sont pas autorisées pour le paiement. Essayez un autre moyen de paiement"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "Sao Tomé-et-Principe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Appuyer pour payer sur iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Le service Appuyer pour payer sur iPhone ne peut pas être utilisé pendant un appel téléphonique. Veuillez réessayer une fois l’appel terminé."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Appuyer pour payer sur iPhone est prêt"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "État de la taxe"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Taxes"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Conditions d’utilisation"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Testez les achats intégrés à l’application pendant que nous préparons le lancement"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Tester l’affichage des modules de commande peu avant le lancement"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "L’extension %1$@ est installée sur votre boutique, mais doit être mise à jour pour les paiements en personne. Veuillez la mettre à jour vers la version la plus récente."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "La connexion Bluetooth au lecteur de cartes a pris fin de façon inattendue"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Le compte Google « %@ » ne correspond pas avec le compte WordPress.com."; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Impossible de charger la commande !"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Le montant n’est pas pris en charge par le service Appuyer pour payer sur iPhone. Essayez un lecteur physique ou un autre moyen de paiement."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "L’application n’a pas pu activer le service Appuyer pour payer, car la puce NFC est désactivée. Pour plus d’informations, veuillez contacter l’assistance."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Impossible de supprimer l’attribut."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Impossible d’enregistrer l’attribut."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "La carte ne prend pas en charge cette devise. Essayez un autre moyen de paiement"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "La carte ne permet pas ce type d’achat. Essayez un autre moyen de paiement"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "La carte a expiré. Essayez un autre moyen de paiement"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "La carte ou le compte de la carte n’est pas valide. Essayez un autre moyen de paiement"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Le lecteur de cartes est occupé à exécuter une autre commande. Veuillez réessayer"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Le lecteur de cartes n’est pas compatible avec cette application. Réessayez de mettre à jour l’application ou utilisez un autre lecteur"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "La session du lecteur de cartes a expiré. Déconnectez puis reconnectez le lecteur de cartes, et réessayez"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Le logiciel du lecteur de cartes est obsolète. Mettez à jour le logiciel du lecteur de cartes avant d’essayer de traiter les paiements"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Le logiciel du lecteur de carte est obsolète. Veuillez le mettre à jour avant d’essayer de traiter les paiements."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Le logiciel du lecteur de cartes est obsolète. Mettez-le à jour avant d’essayer de traiter les remboursements."; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "La mise à jour du lecteur de cartes a échoué en raison d’une erreur de communication. Veuillez réessayer"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "La mise à jour du lecteur de cartes a échoué en raison d’un problème avec le serveur de mise à jour. Veuillez réessayer"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "Échec inattendu de la mise à jour du logiciel du lecteur de cartes. Veuillez réessayer"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "La mise à jour du logiciel du lecteur de cartes a été interrompue et n’a pas pu être terminée. Veuillez réessayer"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "La carte a été refusée par le lecteur de cartes. Essayez un autre moyen de paiement"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "La carte a été refusée par le lecteur de carte. Veuillez essayer un autre moyen de paiement."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "La carte a été refusée par le lecteur de cartes. Essayez un autre moyen de remboursement."; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "La carte a été refusée par le lecteur de cartes de l’iPhone. Essayez un autre moyen de paiement."; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "La carte a été refusée par l’outil de traitement des paiements. Veuillez essayer un autre moyen de paiement."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Le certificat de ce serveur n’est pas valide. Le serveur auquel vous vous connectez prétend être « %@ », ce qui peut constituer un risque de sécurité pour vos données confidentielles.\n\nSouhaitez-vous faire confiance au certificat malgré tout ?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Le code promo ne pouvait pas être vide"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "La devise n’est pas prise en charge par le service Appuyer pour payer sur iPhone. Essayez un lecteur physique ou un autre moyen de paiement."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Le client recevra un e-mail une fois la commande validée"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Le domaine acheté redirigera les utilisateurs vers **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Le domaine acheté redirigera les utilisateurs vers le domaine de préproduction"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Le domaine acheté redirigera les utilisateurs vers votre adresse principale."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Lors de la première utilisation de la fonctionnalité Appuyer pour payer sur iPhone, vous devrez peut-être accepter les conditions d’utilisation d’Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Le montant du paiement n’est pas autorisé pour la carte présentée. Essayez un autre moyen de paiement."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Le paiement n’a pas pu être traité par la plateforme de paiement."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "La carte de paiement a été retirée trop tôt, veuillez réessayer."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Le moyen de paiement ne prend pas en charge les remboursements automatiques. Effectuez le remboursement en transférant l’argent au client manuellement."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Le paiement a été annulé sur le lecteur."; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Le paiement a été annulé."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Le remboursement n’a pas pu être traité par la plateforme de paiement."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "La demande a expiré. Veuillez réessayer"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "La demande de génération du mot de passe de l’application n’est pas autorisée."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Quantité en stock de ce produit. Modifiable."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "L’adresse de la boutique est incomplète ou manquante. Mettez-la à jour avant de poursuivre."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Le code postal de la boutique est incorrect ou manquant. Mettez-le à jour avant de poursuivre."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Le système a annulé la commande de façon inattendue. Veuillez réessayer"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Le système a rencontré une erreur logicielle inattendue"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Il est momentanément impossible d’extraire le rapport sur l’état du système pour votre site. Veuillez réessayer."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Les codes postaux de la transaction et de la carte ne correspondent pas. Essayez un autre moyen de paiement"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Impossible d’initier l’essai de paiement. Réessayez ou contactez l’assistance si le problème persiste."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Une erreur s’est produite, impossible de percevoir le paiement."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Un problème est survenu lors de la préparation de l’utilisation du service Appuyer pour payer sur iPhone. Veuillez réessayer."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Licences tierces"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Cette application ne prend en charge que les rôles utilisateurs Administrateur et Gérant de boutique. Veuillez contacter le gérant de votre boutique pour mettre à niveau votre rôle."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Cette carte nécessite un code PIN et ne peut donc pas être traitée Essayez un autre moyen de paiement"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Votre boutique dispose probablement de mesures de sécurité supplémentaires."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Cet élément se trouve actuellement dans le colis %1$d : %2$@. Où souhaitez-vous le déplacer ?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Ce paiement a déjà été effectué. Veuillez vérifier les détails de la commande."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Impossible de charger ce produit"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Essayer une autre adresse"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Essayez avec une autre carte"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Essayez une autre méthode de lecture"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Réessayer d’autoriser"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Retentez l’expérience sur la page du tableau de bord"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Essayez un autre moyen de paiement"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Essayez de vous reconnecter pour accéder à votre boutique."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Essayer avec l’adresse du site"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Réessayez l’opération, ou bien essayez avec un autre moyen de paiement"; - /* Country option for a site address. */ "Tunisia" = "Tunisie"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Saisissez un nom pour votre boutique"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Type de contenu"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Impossible de connecter"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Impossible d’accéder au Bluetooth. Activez le Bluetooth, puis réessayez"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Impossible d’accéder aux services de localisation. Activez les services de localisation, puis réessayez"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Impossible d’ajouter un code promo."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Impossible de modifier l’état de la commande n° %1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Impossible de communiquer avec le lecteur. Veuillez réessayer"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Impossible de se connecter au lecteur de cartes. Le lecteur de cartes est en cours d’utilisation"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Impossible de se connecter au lecteur. Un autre lecteur est déjà connecté"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Impossible de se connecter au lecteur. La batterie du lecteur est très faible. Rechargez le lecteur et réessayez"; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Impossible de créer une nouvelle commande"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Impossible de marquer l'avis comme %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Impossible d’envoyer une demande avec le lecteur connecté. Fonctionnalité non prise en charge. Réessayez avec un autre lecteur"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Impossible d’envoyer une demande au logiciel. Mettez à jour l’application et réessayez"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Impossible de traiter le paiement. Données non valides. Veuillez réessayer"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Impossible de traiter le paiement. Le montant total de la commande est inférieur au montant minimum que vous pouvez facturer, à savoir %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Impossible de traiter le paiement. Nous n’avons pas pu obtenir les derniers détails de la commande. Veuillez vérifier votre connexion réseau et réessayer. Erreur sous-jacente : %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Impossible de lire la carte. Le système a été interrompu après le délai. Veuillez réessayer"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Impossible de lire la carte insérée. Retirez-la, puis réinsérez-la"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Impossible de lire la carte glissée. Réessayez de la glisser"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Impossible de lire le site WordPress à cette URL. Appuyez sur « Besoin d’aide ? » pour afficher la FAQ."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Impossible d’enregistrer les modifications. Veuillez réessayer."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Impossible de détecter des lecteurs de cartes. Le Bluetooth à basse consommation n’est pas pris en charge par cet appareil. Utilisez un autre appareil"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Impossible de détecter des lecteurs de cartes. Le Bluetooth a été déconnecté. Réessayez ultérieurement"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Impossible de définir les détails client."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Impossible de mettre à jour l’adresse."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Impossible de mettre à jour le logiciel du lecteur de cartes. La batterie du lecteur est trop faible"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Impossible de mettre le prix à jour"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Nous n’avons pas pu vérifier l’adresse d’expédition automatiquement. Affichez l’adresse sur Apple Maps pour vérifier qu’elle est correcte."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Nous n’avons pas pu exécuter une nouvelle tentative de paiement. Veuillez recommencer."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Nous n'avons pas encore pu vous envoyer un e-mail. Veuillez réessayer ultérieurement."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Vous pouvez modifier des modules produits dans le tableau de bord Web."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Vous trouverez les réglages du domaine dans menu > réglages"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Vous pouvez les gérer rapidement et facilement."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Vous n’êtes pas autorisé à gérer les extensions sur cette boutique."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Avec votre plan, vous disposez de l’enregistrement gratuit d’un domaine pendant un an."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Une nouvelle commande a été passée sur votre site ! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Vous devez ajouter un mot de passe afin de protéger votre produit par mot de passe"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Vous devez définir un code d’accès pour déverrouiller l’écran et utiliser le service Appuyer pour payer sur iPhone."; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Il semble que vous ayez installé une extension mobile à partir de DudaMobile qui empêche l'application de se connecter à votre blog"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Votre adresse e-mail n’est pas associée à un compte WordPress.com."; -/* Title of the free domain view. */ -"Your free store address" = "Votre adresse gratuite de la boutique"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Votre essai gratuit est terminé."; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L’adresse de votre site apparait dans la barre en haut de l’écran quand vous visitez votre site dans Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "L’adresse de votre site est en cours de configuration. Un délai de 30 minutes peut être nécessaire pour que votre domaine soit opérationnel."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Domaines de votre site"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Votre site met du temps à répondre"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Afficher toutes les campagnes"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Cette application requiert les droits d’accès au Bluetooth pour se connecter à votre lecteur de carte. Vous pouvez accorder ces droits dans les réglages d’application du système, dans la section Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Le lecteur Bluetooth est déjà appairé à un autre appareil. L’appairage de ce lecteur doit être réinitialisé pour se connecter à cet appareil."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "La connexion Bluetooth a une ID d’emplacement non valide."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Cette application requiert les droits d’accès au Bluetooth pour se connecter à votre lecteur de carte. Vous pouvez accorder ces droits dans les réglages d’application du système, dans la section Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Le lecteur a supprimé les informations d’appairage de cet appareil. Essayez d’oublier le lecteur dans les Réglages iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Le lecteur Bluetooth a été déconnecté et nous essayons de le reconnecter."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Impossible d’annuler l’opération parce qu’elle est déjà achevée."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "La fonctionnalité de balayage de la carte n’est pas disponible."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Veuillez contacter l’assistance : l’exécution de la commande par le système d’exploitation n’est pas autorisée."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Le titulaire de la carte doit donner son consentement pour que l’opération soit un succès."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Une erreur est survenue lors de l’extraction du jeton de connexion."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "La requête de jeton de connexion a expiré."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Veuillez contacter l’assistance : cette fonctionnalité est indisponible."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Transmettre un paiement de mode en direct en mode test est interdit."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Transmettre un paiement de mode test en mode en direct est interdit."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac n’est pas pris en charge en mode hors ligne."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Une erreur réseau inconnue est survenue."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "La connexion du lecteur à internet a expiré. Assurez-vous que votre appareil et votre lecteur sont sur le même réseau Wifi et que votre lecteur est connecté au Wifi."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Veuillez contacter l’assistance : le secret client est non valide."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Veuillez contacter l’assistance : la configuration de découverte est non valide."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "L’ID d’emplacement est non valide."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Le lecteur à mettre à jour est non valide."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Veuillez contacter l’assistance : les paramètres de remboursement sont non valides."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Veuillez contacter l’assistance : un paramètre obligatoire est non valide."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Le lecteur n’a pas su lire les données du moyen de paiement présenté. Si cette erreur persiste, le lecteur est peut-être en cause et veuillez contacter l’assistance."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Veuillez contacter l’assistance : il manque l’intention de paiement."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Veuillez contacter l’assistance : il manque le moyen de paiement pour le remboursement."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Veuillez contacter l’assistance : il manque l’intention de configuration."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Confirmer un paiement lorsque vous êtes en ligne et la carte a été identifiée comme ayant expiré."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Veuillez vous assurer que la connexion au réseau est stable lors de la collecte du paiement et de la confirmation."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Une carte de test est utilisée en mode en direct pendant que vous êtes hors ligne."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Confirmer un paiement pendant que vous êtes hors ligne et la vérification de la carte a échoué."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Le code PIN en ligne n’est pas pris en charge en mode hors ligne. Veuillez réessayer le paiement avec une autre carte."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Aucune carte n’a été présentée dans le délai imparti."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "La configuration de la connexion du lecteur est non valide."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Il manque au lecteur les clés de chiffrement obligatoires pour accepter les paiements, il a été déconnecté et redémarré. Reconnectez le lecteur pour tenter de réinstaller les clés. Si l’erreur persiste, merci de contacter l’assistance."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "La mise à jour du logiciel du lecteur a échoué car la mise à jour a expiré. Veuillez déconnecter et reconnecter le lecteur pour récupérer une nouvelle mise à jour."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Veuillez contacter l’assistance : le paramètre de pourboire du lecteur est non valide."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Échec du remboursement. La banque ou l’émetteur de carte du client n’a pas pu le traiter correctement (par exemple : compte bancaire clôturé ou problème avec la carte)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Veuillez contacter l’assistance : une erreur est survenue lors du décodage de la réponse de l’API Stripe."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Le compte Apple ID lié a été désactivé."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Une erreur inattendue s’est produite au niveau du lecteur."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Le lecteur après découverte n’a pas d’adresse IP et il est impossible de s’y connecter."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Codes promo"; @@ -11889,9 +11389,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Produits populaires"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Rechercher dans votre boutique"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Recherches récentes"; @@ -12674,9 +12171,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Terminé"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Aide et assistance"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "J’ai compris"; @@ -13046,9 +12540,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Commandes"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Validation de la commande"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Ignorer"; @@ -13457,9 +12948,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Envoi %1$d"; -/* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Signature d’un adulte obligatoire (+%1$@)"; - /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d jour ouvrable"; @@ -13478,9 +12966,6 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Assurance (%1$@)"; -/* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Signature obligatoire (+%1$@)"; - /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Suivi"; diff --git a/WooCommerce/Resources/he.lproj/Localizable.strings b/WooCommerce/Resources/he.lproj/Localizable.strings index a6979109233..4ba6580ddef 100644 --- a/WooCommerce/Resources/he.lproj/Localizable.strings +++ b/WooCommerce/Resources/he.lproj/Localizable.strings @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (ללקוח)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "להעתיק את %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ על קבלת תשלומים באמצעות המכשיר הנייד והזמנה של קוראי כרטיסים."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ על דומיינים ואיך לבצע פעולות שקשורות לדומיינים."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ לגבי אימות הפרטים שלך ב-WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "יש להדפיס את טופס המכס ולצרף אותו למשלוח בינלאומי זה"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "נעשה שימוש בכרטיס אמיתי באתר במצב בדיקה. להשתמש בכרטיס לבדיקה במקום זאת."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "אירעה שגיאת רשת. יש לבדוק את החיבור ולנסות שוב."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "להוסיף אפשרויות"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "כתובת"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "שחזור של עגלת קניות נטושה"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "הגדרות חשבון"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "סוג חשבון"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "מחובר לחשבון"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "להוסיף סוג"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "להוסיף דומיין"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "להוסיף כרטיס אשראי חדש"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "ניתן לקבל החזר כספי עבור הסכום"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "הסכום ששולם"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "ניתן להשתמש ב-Apple ID כדי לשדרג חנות אחת בלבד"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "אירעה שגיאה במהלך סגירת החשבון."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "אירעה שגיאה בגישה ל-Bluetooth – יש להפעיל Bluetooth ולנסות שוב"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "עסקה זהה נרשמה לאחרונה. אם ברצונך להמשיך, יש לנסות אמצעי תשלום אחר"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "נכשלה העלאה של תמונה"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "הוזן קוד PIN שגוי יותר מדי פעמים. יש לנסות אמצעי תשלום אחר"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "הוזן קוד PIN שגוי. יש לנסות שוב או להשתמש באמצעי תשלום אחר"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "הערה אופציונלית לשלוח ללקוחות לאחר הרכישה"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "יומני אפליקציה"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "שם האפליקציה"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "מדריכים לקורא הכרטיסים"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "הכרטיס נשאר בקורא – יש להסיר אותו ולהכניס אותו שוב"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "הסרת את הכרטיס מהר מדי – יש לנסות לבצע את העסקה שוב"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "ביטול"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "העיר חסרה"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "לקבל בעלות על דומיין"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "לקבל דומיין בחינם"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "סיווג 1 – חבילה עם חומרים מניעים לצעצועים\/מנגנון בטיחות"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "ברכותינו, קראת הכול!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "ברכותינו על הרכישה החדשה שלך"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "ברכותינו! התקדמת עוד שלב בהכנת החנות."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "מתחבר אל קורא הכרטיסים"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "הסתיים הזמן הקצוב של החיבור אל קורא הכרטיסים – יש לוודא שהקורא נמצא בקרבתך ושהסוללה שלו טעונה ולנסות שוב"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "התחברות לחשבונך"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "המשך"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "טווח תאריכים"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "תאריך התשלום"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "תאריך משלוח"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "הנחה"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "הנחה %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "סוג הנחה"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "מסמכים"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "דומיינים"; - /* Country option for a site address. */ "Dominica" = "דומיניקה"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "בוצע"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "המשוב נשלח!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "עמלות"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "טוען סוגים…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "שכחת סיסמה?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "שגיאת אימות בטופס"; - /* Next web page */ "Forward" = "העבר"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "תקופת ניסיון בחינם"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "ניתן בחינם לשנה הראשונה"; - /* Country option for a site address. */ "French Guiana" = "גיאנה הצרפתית"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "תשלומים באופן אישי"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "רכישה באפליקציה"; - /* Application's Inactive State */ "Inactive" = "לא פעיל"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "להוסיף"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "יש להכניס את הכרטיס"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "להוסיף סרגל אופקי"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "להוסיף קישור"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "יש להכניס או להעביר את הכרטיס"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "יש להכניס את הכרטיס לביצוע תשלום"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "לטביה"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "להשיק את איתור הבאגים של Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "להשיק את החנות שלך"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "מוזמביק"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "זוהו מספר כרטיסים ללא מגע"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "מספר חנויות"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "עדיין אין קמפיינים"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "אין קורא כרטיסים מחובר – יש לחבר קורא ולנסות שוב"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "לא נבחרו קטגוריות"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "לא נמצאו בעיות בחיבור"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "אין חיבור לאינטרנט – יש להתחבר לאינטרנט ולנסות שוב"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "לא נמצאו קופונים"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "הערה ללקוח"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "פתקים"; - /* Default message for empty media picker */ "Nothing to show" = "אין מה לראות כאן"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "סכומים כוללים לתשלום"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "התשלום נדחה עקב יתרה לא מספיקה. יש לנסות אמצעי תשלום אחר"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "התשלום נכשל"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "אמצעי תשלום"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "התשלום בוצע בהצלחה"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "התשלום נדחה מסיבה לא ידועה. יש לנסות אמצעי תשלום אחר"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "התשלום נדחה מסיבה שלא צוינה. יש לנסות אמצעי תשלום אחר"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "יש להטעין את הקורא"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "עליך לוודא שהטלפון עומד בדרישות הבאות: מכשיר iPhone XS או מכשיר חדש יותר עם מערכת הפעלה של iOS 16.7 ומעלה. יש לפנות לתמיכה אם השגיאה הזאת מופיעה במכשיר נתמך."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "עליך לוודא שה-Apple ID שלך תקף ולנסות שוב. חשבון Apple ID תקף נדרש כדי לקבל את תנאי השימוש של Apple"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "יש לחבר את Jetpack דרך עמוד מנהל המערכת שלך בדפדפן או ליצור קשר עם התמיכה."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "כדאי לפנות לתמיכה לעזרה."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "יש לפנות לתמיכה – הייתה בעיה בהתחלת השימוש ב-Tap to Pay ב-iPhone"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "כדי להשתמש באפליקציה, יש לפנות לבעלי האתר כדי לקבל הזמנה לאתר זה כמנהל חנות או כמנהל מערכת."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "יש לבחור חבילה"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "יש להתחבר ל-iCloud במכשיר זה כדי להשתמש ב-Tap to Pay ב-iPhone"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "יש לנסות שוב מאוחר יותר או לפנות אלינו בכל עת ואנחנו נשמח לעזור!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "יש לנסות שוב או לפנות אלינו בכל עת ואנחנו נשמח לעזור!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "כדי להשתמש באפשרות Tap to Pay ב-iPhone, יש לנסות שוב ולקבל את תנאי השימוש של Tap to Pay ב-iPhone"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "יש לנסות שוב או לפנות לתמיכה לעזרה"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "יש לנסות שוב. לחלופין, אפשר להתקין את Jetpack דרך מנהל WP."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "יש לנסות שאילתה אחרת."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "עליך לעדכן את התוכנה של הקורא כדי להמשיך לקבל תשלומים"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "המחירים עודכנו בהצלחה."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "כתובת האתר הראשי"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "להדפיס"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "סיבה להחזר הכספי על ההזמנה"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "קבלה"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "קבלה מאת %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "תשלומים חוזרים'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "ליצור מחדש את קוד הקופון"; -/* Title of the domain contact info form. */ -"Register domain" = "רישום הדומיין"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "מחיר רגיל"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "להסיר את המאפיין"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "להסיר את הכרטיס"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "להסיר את ההנחה"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "לשנות את שם המאפיין"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "מתחדש בתאריך %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "להחליף את התמונה"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "יש לנסות שוב לאחר העדכון"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "לנסות את הכרטיס שוב"; - /* Action button to check site's connection again. */ "Retry Connection" = "לנסות שוב את החיבור"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS נשלח"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "הצעות"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "לחפש קופונים"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "חיפוש דומיינים"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "לחפש דומיין"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "לחפש לקוח קיים או"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "נשלח %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "חלק מכתובת האימייל לא תקינות."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "אירעה שגיאה לא צפויה בתהליך האימות. כדאי לבדוק את השדות ולנסות שוב."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "לא ידוע"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "אנו מתנצלים, לא ניתן היה לעבד תשלום זה"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "אנו מתנצלים, לא ניתן היה לעבד תשלום זה."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "מצטערים, לא ניתן לבטל את ההחזר הכספי הזה"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "מצטערים, לא ניתן היה לעבד את ההחזר הכספי הזה"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "שם המשתמש חייב להכיל גם אותיות!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "מצטערים, לא הצלחנו להשלים את הפעולה מאחר שלא נמצא תשלום פעיל."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "מצטערים, לא הצלחנו לחבר את הקורא. יש לנסות שוב."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "מצטערים, לא הצלחנו להתחיל את השירות של Tap To Pay ב-iPhone. יש לבדוק את החיבור ולנסות שוב."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "מינויים"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "סיכום המוצרים ומשקל החבילה"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "סיכום"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "סיכום: הזמנה מס' %1$@"; - /* Country option for a site address. */ "Suriname" = "סורינם"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "שוודיה"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "יש להעביר כרטיס"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "החלפת חנות"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "דוח מצב המערכת הועתק ללוח"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "כרטיסי בדיקה של המערכת לא מותרים לשימוש לצורך תשלום. יש לנסות אמצעי תשלום אחר"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "סאו טומה ופרינסיפה"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "להקיש לתשלום ב-iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "לא ניתן להשתמש ב-Tap to Pay ב-iPhone במהלך שיחה טלפונית. יש לסיים את השיחה ולנסות שוב."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "השירות של Tap To Pay ב-iPhone מוכן לשימוש"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "מצב מס"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "מיסים"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "תנאי השירות"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "כדאי לבדוק את האפשרות לרכישה באפליקציה בזמן שאנחנו מתכוננים להשקה"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "כדאי לבדוק את האפשרות להציג הרחבות בהזמנה בזמן שאנחנו מתכוננים להשקה"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "בחנות שלך הותקנה ההרחבה %1$@ אך יש לעדכן אותה כדי לבצע 'תשלומים באופן אישי'. עליך לעדכן את ההרחבה לגרסה האחרונה."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "החיבור של Bluetooth לקורא הכרטיסים התנתק באופן בלתי צפוי"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "חשבון ה-Google‏ \"%@\" לא תואם לשום חשבון ב-WordPress.com‏"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "לא ניתן לטעון את ההזמנה!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "הסכום לא נתמך על ידי Tap to Pay ב-iPhone – יש לנסות קורא כרטיסים נפרד או אמצעי תשלום שונה."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "האפליקציה לא הצליחה להפעיל את Tap to Pay ב-iPhone מאחר ששבב ה-NFC מושבת. יש לפנות לתמיכה לפרטים נוספים."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "לא ניתן היה להסיר את המאפיין."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "לא ניתן היה לשמור את הסוג."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "הכרטיס הזה לא תומך במטבע שצוין. יש לנסות אמצעי תשלום אחר"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "הכרטיס הזה לא תומך בסוג העסקה שנבחרה. יש לנסות אמצעי תשלום אחר"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "פג תוקף הכרטיס שלך. יש לנסות אמצעי תשלום אחר"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "הכרטיס או חשבון הכרטיס לא תקין. יש לנסות אמצעי תשלום אחר"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "קורא הכרטיסים מבצע כרגע פקודה אחרת –יש לנסות שוב"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "קורא הכרטיסים לא תואם לאפליקציה הזאת – יש לנסות לעדכן את האפליקציה או להשתמש בקורא אחר"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "תוקף ההפעלה של קורא הכרטיסים פג – יש לנתק את קורא הכרטיסים ולחברו מחדש ולאחר מכן, לנסות שוב"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "התוכנה של קורא הכרטיסים לא מעודכנת – עליך לעדכן את התוכנה של קורא הכרטיסים לפני ניסיון לעבד תשלומים"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "התוכנה של קורא הכרטיסים לא מעודכנת – עליך לעדכן את התוכנה של קורא הכרטיסים לפני ניסיון לעבד תשלומים."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "התוכנה של קורא הכרטיסים לא מעודכנת – עליך לעדכן את התוכנה של קורא הכרטיסים לפני ניסיון לעבד החזרים כספיים"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "עדכון התוכנה של קורא הכרטיסים נכשל עקב שגיאה בתקשורת – יש לנסות שוב"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "עדכון התוכנה של קורא הכרטיסים נכשל עקב בעיה בשרת העדכון – יש לנסות שוב"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "עדכון התוכנה של קורא הכרטיסים נכשל באופן בלתי צפוי – יש לנסות שוב"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "עדכון התוכנה של קורא הכרטיסים הופסק לפני שהושלם – יש לנסות שוב"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "הכרטיס נדחה על ידי קורא הכרטיסים – יש לנסות אמצעי תשלום אחר"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "הכרטיס נדחה על ידי קורא הכרטיסים – יש לנסות אמצעי תשלום אחר."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "הכרטיס נדחה על ידי קורא הכרטיסים – יש לנסות אמצעי תשלום אחר להחזר הכספי"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "הכרטיס נדחה על ידי קורא הכרטיסים של ה-iPhone – יש לנסות אמצעי תשלום אחר"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "הכרטיס נדחה על ידי מעבד התשלומים – יש לנסות אמצעי תשלום אחר."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "האישור עבור שרת זה אינו חוקי. ייתכן שאתה מתחבר לשרת שמתחזה ל-"%@", מה שעלול לסכן את המידע הסודי שלך.\n\nלבטוח באישור בכל מקרה?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "קוד הקופון לא יכול להיות ריק"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "המטבע לא נתמך על ידי Tap to Pay ב-iPhone – יש לנסות קורא כרטיסים נפרד או אמצעי תשלום שונה."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "הלקוח יקבל אימייל כאשר ההזמנה הושלמה"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "הדומיין שנרכש ינתב את המשתמשים אל *%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "הדומיין שנרכש ינתב את המשתמשים אל דומיין האחסון הזמני הנוכחי"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "הדומיין שנרכש ינתב את המשתמשים אל הכתובת הראשית שלך."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "בשימוש הראשון בשירות של Tap To Pay ב-iPhone, ייתכן שתופיע בקשה לקבל את תנאי השימוש של Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "הסכום לתשלום לא מורשה עבור הכרטיס שהוצג. יש לנסות אמצעי תשלום אחר."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "לא ניתן לעבד את התשלום באמצעות מעבד התשלומים."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "כרטיס התשלום הוסר מהר מדי, יש לנסות שוב."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "אמצעי התשלום אינו תומך בהחזרים כספיים אוטומטיים. יש להשלים את ההחזר הכספי על-ידי העברה ידנית ללקוח."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "התשלום בוטל דרך הקורא"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "התשלום הזה בוטל."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "לא ניתן לעבד את ההחזר הכספי באמצעות מעבד התשלומים."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "הזמן הקצוב של הבקשה הסתיים – יש לנסות שוב"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "הבקשה ליצור סיסמת אפליקציה לא אושרה."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "כמות המלאי של המוצר. ניתן לעריכה."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "הכתובת של החנות לא מלאה או חסרה, יש לעדכן אותה לפני ההמשך."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "המיקוד של החנות לא תקין או חסר, יש לעדכן אותו לפני ההמשך."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "המערכת ביטלה את הפקודה באופן לא צפוי – יש לנסות שוב"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "המערכת נתקלה בשגיאת תוכנה לא צפויה"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "אין אפשרות להביא את דוח מצב המערכת לאתר שלך כרגע. יש לנסות שוב."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "אין התאמה בין המיקוד של העסקה והמיקוד של הכרטיס. יש לנסות אמצעי תשלום אחר"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "לא ניתן היה להתחיל את הניסיון לביצוע התשלום. יש לנסות שוב או לפנות לתמיכה אם הבעיה ממשיכה."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "אירעה שגיאה במהלך גביית התשלום."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "הייתה בעיה בהגדרת של Tap to Pay ב-iPhone – יש לנסות שוב."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "רישיונות של צד שלישי"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "האפליקציה הזאת תומכת רק בתפקידי משתמש של 'מנהל מערכת' ו'מנהל חנות'. יש ליצור קשר עם בעלי החנות כדי לשדרג את התפקיד שלך."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "לכרטיס זה נדרש קוד PIN ולכן אין אפשרות לעבד אותו. יש לנסות אמצעי תשלום אחר"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "ייתכן שבחנות שלך הוגדרו כמה שלבים נוספים לצורך אבטחה."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "הפריט הזה נמצא כעת בחבילה ⁦%1$d⁩ : %2$@. לאן ברצונך להעביר אותו?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "עיבוד התשלום כבר הושלם – יש לבדוק את פרטי ההזמנה."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "לא ניתן לטעון את המוצר"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "יש לנסות כתובת אחרת"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "יש לנסות כרטיס אחר"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "יש לנסות שיטת קריאה אחרת"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "יש לנסות לאשר שוב"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "לנסות שוב עם העמוד WP-Admin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "יש לנסות אמצעי תשלום אחר"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "יש לנסות להתחבר שוב כדי לגשת לחנות שלך."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "ניתן לנסות באמצעות כתובת האתר"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "ייתכן שהפעולה תצליח בניסיון חוזר. לחלופין, אפשר לנסות אמצעי תשלום אחר"; - /* Country option for a site address. */ "Tunisia" = "טוניסיה"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "טובאלו"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "יש להקליד את השם של החנות שלך"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "סוג התוכן"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "אי אפשר להתחבר"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "לא ניתן לגשת ל-Bluetooth – יש להפעיל Bluetooth ולנסות שוב"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "לא ניתן לגשת לשירותי המיקום – יש להפעיל את שירותי המיקום ולנסות שוב"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "לא ניתן להוסיף קופון."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "אין אפשרות לעדכן את מצב ההזמנה ⁦%1$d⁩#"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "לא ניתן ליצור תקשורת עם הקורא – יש לנסות שוב"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "לא ניתן לחבר את קורא הכרטיסים – קורא כרטיסים אחר כבר נמצא בשימוש"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "לא ניתן לחבר את הקורא – קורא אחר כבר מחובר"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "לא ניתן לחבר את הקורא – רמת הסוללה של הקורא נמוכה מאוד – יש להטעין את הקורא ולנסות שוב."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "לא ניתן ליצור הזמנה חדשה"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "אין אפשרות לסמן את הביקורת בתור \"%@\""; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "לא ניתן לבצע את הבקשה עם הקורא המחובר – אפשרות לא נתמכת – יש לנסות שוב עם קורא אחר"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "לא ניתן לבצע את בקשת התוכנה – יש לעדכן את האפליקציה ולנסות שוב"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "לא ניתן לעבד את התשלום עקב נתונים לא תקינים – יש לנסות שוב"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "אין אפשרות לעבד את התשלום. הסכום הכולל של ההזמנה נמוך מהסכום המינימלי שאפשר לגבות, %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "אין אפשרות לעבד את התשלום. לא ניתן היה להציג את פרטי ההזמנה העדכניים. עליך לבדוק את החיבור לרשת ולנסות שוב. שגיאה בסיסית: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "לא ניתן לקרוא את הכרטיס – הזמן הקצוב של המערכת הסתיים – יש לנסות שוב"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "לא ניתן לקרוא את הכרטיס שהוכנס – יש לנסות להכניס את הכרטיס שוב"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "לא ניתן לקרוא את הכרטיס שהועבר – יש לנסות להעביר את הכרטיס שוב"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "לא ניתן לקרוא את אתר WordPress בכתובת URL זו. יש להקיש על 'נדרשת עזרה נוספת?' כדי להציג את השאלות הנפוצות."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "אין אפשרות לשמור את השינויים. יש לנסות שוב."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "לא ניתן לחפש קוראי כרטיסים – האפשרות של Bluetooth Low Energy לא נתמכת במכשיר זה – יש להשתמש במכשיר אחר"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "לא ניתן לחפש קוראי כרטיסים – הזמן הקצוב של חיבור ה-Bluetooth הסתיים – יש לנסות שוב"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "אין אפשרות להגדיר את פרטי הלקוח."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "אין אפשרות לעדכן את הכתובת."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "לא ניתן לעדכן את התוכנה של קורא הכרטיסים – רמת הסוללה של הקורא נמוכה מדי"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "לא ניתן היה לעדכן את המחיר"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "לא הצלחנו לאמת באופן אוטומטי את הכתובת למשלוח. ניתן להציג את המפה ב-Apple Maps כדי לוודא שהכתובת נכונה."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "לא ניתן היה לנסות שוב את ביצוע התשלום – יש להתחיל מחדש."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "לא הצלחנו לשלוח אליך אימייל בשלב זה. יש לנסות שוב מאוחר יותר."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "ניתן לערוך את התוספים למוצר בלוח הבקרה באינטרנט."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "אפשר לגשת אל הגדרות הדומיין דרך 'תפריט' > 'הגדרות'"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "אפשר לנהל בצורה מהירה ונוחה."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "אין לך הרשאה לניהול התוספים בחנות הזאת."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "אנחנו מעניקים לך רישום דומיין בחינם לשנה עם התוכנית שלך."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "יש לך הזמנה חדשה! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "עליך להוסיף סיסמה כדי להגן על המוצר שלך באמצעות סיסמה"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "עליך להגדיר קוד סיסמה למסך הנעילה כדי להשתמש ב-Tap to Pay ב-iPhone"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "נראה שהתקנת תוסף למכשירים ניידים מ-DudaMobile שמונע מהאפליקציה להתחבר לבלוג שלך"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "כתובת האימייל שלך לא מקושרת לחשבון ב-WordPress.com"; -/* Title of the free domain view. */ -"Your free store address" = "הכתובת של החנות החינמית שלך"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "תקופת הניסיון שלך נגמרה"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "עם הכניסה לאתר בדפדפן Safari, כתובת האתר שלך תופיע בסרגל העליון של המסך."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "כתובת האתר שלך הוגדרה. יידרשו עד 30 דקות להתחלת הפעילות של הדומיין."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "הדומיינים באתר שלך"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "זמן התגובה של האתר שלך איטי מדי"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "להציג את כל הקמפיינים"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "לאפליקציה נדרשת גישה ל-Bluetooth כדי להתחבר אל קורא הכרטיסים. באפשרותך להעניק הרשאה באפליקציית ההגדרות של המערכת, דרך המקטע של Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "קורא ה-Bluetooth כבר מקושר למכשיר אחר. עליך לאפס את הקישור של קורא כרטיסים כדי לחבר אותו למכשיר זה."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "קיים מזהה מיקום לא תקין בחיבור ה-Bluetooth."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "לאפליקציה נדרשת גישה ל-Bluetooth כדי להתחבר אל קורא הכרטיסים. באפשרותך להעניק הרשאה באפליקציית ההגדרות של המערכת, דרך המקטע של Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "קורא הכרטיסים מחק את פרטי הקישור של המכשיר. כדאי לנסות לשכוח את קורא הכרטיסים מההגדרות של iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "קורא ה-Bluetooth נותק ואנחנו מנסים להתחבר מחדש."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "לא ניתן לבטל את הפעולה מאחר שהיא כבר הושלמה."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "הפונקציונליות של העברת הכרטיס לא זמינה."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "יש לפנות לתמיכה – אין הרשאה ממערכת ההפעלה לבצע את הפקודה הזאת."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "מחזיק הכרטיס חייב להביע הסכמה כדי שהפעולה הזו תבוצע בהצלחה."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "אירעה שגיאה בהבאת אסימון החיבור."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "הסתיים הזמן הקצוב של בקשת אסימון החיבור."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "יש לפנות לתמיכה – האפשרות לא זמינה."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "אין הרשאה להעביר תשלום בסביבה אמיתית כאשר הקורא מוגדר למצב בדיקה."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "אין הרשאה להעביר תשלום במצב בדיקה כאשר הקורא מוגדר לסביבה אמיתית."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "השירות של Interac לא נתמך במצב לא מקוון."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "אירעה שגיאת רשת לא מזוהה."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "מתחבר אל קורא הכרטיסים דרך האינטרנט – הזמן הקצוב הסתיים. עליך לוודא שהמכשיר וקורא הכרטיסים מחוברים אל אותה רשת אלחוטית ושקורא הכרטיסים מחוברת לרשת האלחוטית."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "יש לפנות לתמיכה – סוד הלקוח לא תקין."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "יש לפנות לתמיכה – תצורת האיתור לא תקינה."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "מזהה המיקום לא תקין."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "קורא הכרטיסים שהוגדר לעדכון אינו תקין."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "יש לפנות לתמיכה – הפרמטרים להחזר הכספי חסרים."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "יש לפנות לתמיכה – פרמטר נדרש לא תקין."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "קורא הכרטיסים נכשל בקריאת הנתונים מאמצעי התשלום שהוצג. אם השגיאה הזאת מופיעה לעיתים קרובות, ייתכן שיש תקלה בקורא הכרטיסים ומומלץ לפנות לתמיכה."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "יש לפנות לתמיכה – כוונת התשלום חסרה."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "יש לפנות לתמיכה – אמצעי התשלום להחזר הכספי חסר."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "יש לפנות לתמיכה – כוונת ההגדרה חסרה."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "במהלך אישור התשלום במצב לא מקוון, זיהינו שהכרטיס לא תקף."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "עליך לוודא שהחיבור לרשת יציב במהלך הגבייה והאישור של התשלום."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "נעשה שימוש בכרטיס בדיקה במהלך מצב פעיל בחיבור לא מקוון."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "במהלך אישור התשלום במצב לא מקוון, אימות הכרטיס נכשל."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "PIN מקוון לא נתמך במצב לא מקוון. יש לנסות לגבות את התשלום שוב עם כרטיס שונה."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "לא הוצג כרטיס במגבלת הזמן שהוגדרה."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "תצורת החיבור של קורא הכרטיסים לא תקינה."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "לקורא הכרטיסים חסרים מפתחות הצפנה שדרושים לגביית תשלומים. לכן, הקורא התנתק והופעל מחדש. יש להתחבר אל קורא הכרטיסים מחדש כדי לנסות להתקין את המפתחות מחדש. אם השגיאה לא תיפתר, מומלץ ליצור קשר עם התמיכה."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "עדכון התוכנה של קורא הכרטיסים נכשל מאחר שהעדכון לא בתוקף. עליך לנתק את קורא הכרטיסים ולחברו שוב כדי לקבל עדכון חדש."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "יש לפנות לתמיכה – פרמטר התשר של קורא הכרטיסים לא תקין."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "ההחזר הכספי נכשל. המנפיק של הבנק או הכרטיס של הלקוח לא הצליח לעבד את אמצעי התשלום בצורה תקינה (למשל, עקב חשבון בנק שנסגר או בעיה עם הכרטיס)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "יש לפנות לתמיכה – אירעה שגיאה בפענוח קוד התגובה של Stripe API."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "החשבון המקושר של Apple ID הושבת."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "אירעה שגיאה בלתי צפויה עם קורא הכרטיסים."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "לקורא הכרטיסים שחזר מהאיתור אין כתובת IP ולא ניתן להתחבר אליו."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "קופונים"; @@ -11889,9 +11389,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "מוצרים פופולריים"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "לחפש בחנות שלך"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "חיפושים אחרונים"; @@ -12674,9 +12171,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "בוצע"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "עזרה ותמיכה"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "הבנתי"; @@ -13046,9 +12540,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "הזמנות"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "תשלום בקופה"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "ביטול"; @@ -13457,9 +12948,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "משלוח ⁦%1$d⁩"; -/* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "נדרשת חתימה של אדם מבוגר (+%1$@)"; - /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "יום עסקים ⁦%1$d⁩"; @@ -13478,9 +12966,6 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "ביטוח (%1$@)"; -/* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "נדרשת חתימה (+%1$@)"; - /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "מעקב"; diff --git a/WooCommerce/Resources/id.lproj/Localizable.strings b/WooCommerce/Resources/id.lproj/Localizable.strings index 60f7c5ed9a2..5db22611318 100644 --- a/WooCommerce/Resources/id.lproj/Localizable.strings +++ b/WooCommerce/Resources/id.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 09:54:05+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: id */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (Untuk Pelanggan)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Salinan %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ tentang penerimaan pembayaran dengan perangkat seluler dan pemesanan pembaca kartu."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ tentang domain dan cara mengambil tindakan untuk domain."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ tentang memverifikasi informasi Anda dengan WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Formulir bea cukai harus dicetak dan disertakan pada pengiriman internasional ini"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Kartu aktual digunakan untuk situs dalam mode pengujian. Gunakan kartu pengujian."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Terjadi error jaringan. Periksa koneksi Anda dan coba lagi."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "TAMBAHKAN PILIHAN"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ALAMAT"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Pemulihan keranjang terbengkalai"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Pengaturan Akun"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Jenis Akun"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Akun terhubung"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Tambahkan Variasi"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Tambah domain"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Tambahkan kartu kredit baru"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Jumlah yang Dapat Dikembalikan Dananya"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Jumlah yang Dibayarkan"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "ID Apple hanya dapat digunakan untuk mengupgrade satu toko"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Terjadi error saat menutup akun."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Terjadi error saat mengakses Bluetooth - aktifkan Bluetooth dan coba lagi"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Transaksi yang identik dilakukan baru-baru ini. Jika ingin melanjutkan, coba metode pembayaran lainnya"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Gambar gagal diunggah"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Batas input PIN yang salah sudah terlampaui. Coba gunakan metode pembayaran lainnya"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "PIN yang dimasukkan salah. Coba lagi, atau gunakan metode pembayaran lainnya"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Catatan opsional untuk dikirim kepada pelanggan setelah pembelian"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Log Aplikasi"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Nama Aplikasi"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Panduan pembaca kartu"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Kartu tertinggal di pembaca - ambil kartu lalu masukkan lagi"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Kartu diambil terlalu cepat - harap coba transaksi lagi"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Batalkan"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Kota belum diisi"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Klaim Domain"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Klaim domain gratis Anda"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Kelas 1 – Paket Murang\/Propelan Mainan"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Selamat, Anda telah membaca semuanya!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Selamat atas pembelian Anda"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Selamat! Anda selangkah lebih dekat untuk mewujudkan toko baru."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Menyambungkan ke pembaca"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Waktu untuk menghubungkan pembaca kartu sudah habis - pastikan pembaca kartu berada dekat dan terisi daya lalu coba lagi"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Menghubungkan ke akun Anda"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Lanjutkan"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Rentang Tanggal"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Tanggal dibayar"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Tanggal pengiriman"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Diskon"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Diskon %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Tipe Diskon"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Dokumen"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domain"; - /* Country option for a site address. */ "Dominica" = "Dominika"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Selesai"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Umpan balik terkirim!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Biaya"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Mengambil Variasi…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Lupa kata sandi?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Error Validasi Formulir"; - /* Next web page */ "Forward" = "Teruskan"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Percobaan Gratis"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratis untuk tahun pertama"; - /* Country option for a site address. */ "French Guiana" = "Guyana Prancis"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Pembayaran Langsung"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Pembelian dalam aplikasi"; - /* Application's Inactive State */ "Inactive" = "Nonaktif"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Sisipkan"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Masukkan Kartu"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Sisipkan Penggaris Horizontal"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Sisipkan Tautan"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Masukkan atau Gesek Kartu"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Masukkan kartu untuk membayar"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Latvia"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Luncurkan debug Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Luncurkan toko Anda"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambik"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Beberapa Kartu Nirsentuh Terdeteksi"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Beberapa Toko"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Belum ada kampanye"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Tidak ada pembaca kartu yang terhubung - sambungkan pembaca dan coba lagi"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Tidak ada kategori yang dipilih"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Tidak ada masalah koneksi"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Tidak ada koneksi internet - hubungkan ke internet dan coba lagi"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Kupon tidak ditemukan"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Catatan untuk pelanggan"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Catatan"; - /* Default message for empty media picker */ "Nothing to show" = "Tidak ada yang bisa ditampilkan"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Total Pembayaran"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Pembayaran ditolak karena dana tidak cukup. Coba gunakan metode pembayaran lainnya"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Pembayaran gagal"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Metode pembayaran"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Pembayaran berhasil"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Pembayaran ditolak karena alasan yang tidak diketahui. Coba gunakan metode pembayaran lainnya"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Pembayaran ditolak karena alasan yang tidak dijelaskan. Coba gunakan metode pembayaran lainnya"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Isi daya pembaca"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Pastikan ponsel Anda memenuhi persyaratan berikut: iPhone XS atau yang lebih baru, dengan iOS 16.7 atau yang lebih tinggi. Hubungi dukungan jika error ini muncul pada perangkat yang didukung."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Pastikan bahwa ID Apple Anda valid, lalu coba lagi. Diperlukan ID Apple yang valid untuk menerima Ketentuan Layanan Apple"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Hubungkan Jetpack melalui halaman admin Anda di browser atau hubungi dukungan."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Silakan hubungi dukungan untuk mendapatkan bantuan."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Terjadi masalah saat memulai Ketuk untuk Bayar di iPhone. Silakan hubungi dukungan."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Hubungi pemilik situs untuk menerima undangan ke situs sebagai manajer toko atau administrator untuk menggunakan aplikasi."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Silakan pilih paket"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Silakan login di iCloud perangkat ini untuk menggunakan Ketuk untuk Bayar di iPhone"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Coba lagi nanti atau hubungi kami dan dengan senang hati kami akan membantu Anda!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Coba lagi atau hubungi kami dan dengan senang hati kami akan membantu Anda!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Silakan coba lagi dan terima Ketentuan Layanan Apple untuk menggunakan fitur Ketuk untuk Bayar di iPhone."; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Silakan coba lagi atau hubungi dukungan untuk mendapatkan bantuan."; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Harap coba lagi. Atau, Anda dapat menginstal Jetpack melalui WP-Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Silakan coba ajukan permintaan informasi lain."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Harap perbarui perangkat lunak pembaca Anda untuk dapat terus menerima pembayaran"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Harga berhasil diperbarui."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Alamat situs utama"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Cetak"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Alasan untuk pesanan pengembalian dana"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Resi"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Tanda terima dari %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Pembayaran berulang"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Buat Ulang Kode Kupon"; -/* Title of the domain contact info form. */ -"Register domain" = "Daftarkan domain"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Harga Normal"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Hapus Atribut"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Ambil Kartu"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Hapus Diskon"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Ubah Nama Atribut"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Diperpanjang pada %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Ganti Foto"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Coba Lagi Setelah Memperbarui"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Coba Lagi Kartu"; - /* Action button to check site's connection again. */ "Retry Connection" = "Coba Sambungkan Lagi"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Terkirim"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "SARAN"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Cari Kupon"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Cari Domain"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Cari Domain"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Cari pelanggan yang sudah ada atau"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Dikirimkan %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Beberapa alamat email tidak valid."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Terjadi error tidak terduga saat proses validasi. Mohon periksa kolom isian dan coba lagi."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Seseorang"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Maaf, pembayaran ini tidak dapat diproses"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Maaf, pembayaran ini tidak dapat diproses."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Maaf, pengembalian dana ini tidak dapat dibatalkan"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Maaf, pengembalian dana ini tidak dapat diproses."; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Maaf, nama pengguna harus memiliki huruf (a-z) pula!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Maaf, kami tidak dapat menyelesaikan tindakan ini karena pembayaran aktif tidak ditemukan."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Maaf, tidak dapat menyambungkan ke pembaca. Harap coba lagi."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Maaf, kami tidak dapat memulai Ketuk untuk Membayar di iPhone. Periksa koneksi Anda dan coba lagi."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Langganan"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Jumlah produk dan berat kemasan"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Ringkasan"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Ringkasan: Pesanan #%1$@"; - /* Country option for a site address. */ "Suriname" = "Suriname"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Swedia"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Gesek Kartu"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Beralih Toko"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Laporan status sistem disalin ke clipboard"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Kartu pengujian sistem tidak boleh digunakan untuk pembayaran. Coba gunakan metode pembayaran lainnya"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé dan Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Ketuk untuk Bayar di iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Ketuk untuk Bayar di iPhone tidak dapat digunakan selama panggilan telepon berlangsung. Silakan coba lagi setelah panggilan berakhir."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Ketuk untuk Bayar di iPhone sudah siap"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Status pajak"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Pajak"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Ketentuan Layanan"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Uji pembelian dalam aplikasi menjelang peluncuran"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Uji coba fitur melihat Add-on Pesanan menjelang peluncuran"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "Ekstensi %1$@ diinstal di toko Anda, tetapi perlu diperbarui agar dapat mendukung Pembayaran Langsung. Silakan perbarui ke versi terbaru."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Koneksi Bluetooth dengan pembaca kartu tiba-tiba terputus"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Akun Google \"%@\" tidak cocok dengan akun mana pun di WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Pesanan tidak dapat dimuat!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Jumlah ini tidak didukung oleh Ketuk untuk Bayar di iPhone. Coba gunakan perangkat keras pembaca atau metode pembayaran lainnya."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "Aplikasi tidak dapat mengaktifkan Ketuk untuk Bayar di iPhone karena cip NFC dinonaktifkan. Hubungi dukungan untuk mengetahui detail selengkapnya."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Atribut tidak dapat dihapus."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Atribut tidak dapat disimpan."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "Kartu tidak mendukung mata uang ini. Coba gunakan metode pembayaran lainnya"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "Kartu tidak mendukung jenis pembelian ini. Coba gunakan metode pembayaran lainnya"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "Kartu telah kedaluwarsa. Coba gunakan metode pembayaran lainnya"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "Kartu atau rekening kartu tidak valid. Coba gunakan metode pembayaran lainnya"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Pembaca kartu sedang menjalankan perintah lainnya - harap coba lagi"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Pembaca kartu tidak kompatibel dengan aplikasi ini - harap coba perbarui aplikasi atau gunakan pembaca lainnya"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "Sesi pembaca kartu sudah berakhir - putuskan sambungan dan hubungkan kembali pembaca kartu, lalu coba lagi"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Perangkat lunak pembaca kartu sudah kedaluwarsa - perbarui perangkat lunak pembaca kartu sebelum memproses pembayaran"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Perangkat lunak pembaca kartu sudah kedaluwarsa - perbarui perangkat lunak pembaca kartu sebelum memproses pembayaran."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Perangkat lunak pembaca kartu kedaluwarsa. Perbarui sebelum memproses pengembalian dana"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "Pembaruan perangkat lunak pembaca kartu gagal karena error komunikasi - harap coba lagi "; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "Pembaruan perangkat lunak pembaca kartu gagal karena masalah pada server pembaruan - harap coba lagi "; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "Pembaruan perangkat lunak pembaca kartu tiba-tiba gagal - harap coba lagi"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "Pembaruan perangkat lunak pembaca kartu terganggu sebelum selesai - harap coba lagi"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "Kartu ditolak oleh pemroses pembayaran - coba gunakan metode pembayaran lainnya"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "Kartu ditolak oleh pembaca kartu - coba gunakan metode pembayaran lain."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "Kartu ditolak oleh pembaca. Coba cara pengembalian dana lain"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "Kartu ditolak oleh pembaca kartu iPhone. Coba cara pembayaran lain"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "Kartu ditolak oleh pemroses pembayaran - coba gunakan metode pembayaran lain."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Sertifikat untuk server ini tidak sah. Anda mungkin tersambung dengan server yang menyamar sebagai “%@” yang bisa membuat informasi rahasia Anda beresiko,\n\nApakah Anda ingin mempercayai sertifikat itu?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Kode kupon tidak boleh kosong"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Mata uang ini tidak didukung oleh Ketuk untuk Bayar di iPhone. Coba gunakan perangkat keras pembaca atau metode pembayaran lainnya."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Pelanggan akan menerima email saat pesanan selesai"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Domain yang dibeli akan mengalihkan pengguna ke **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Domain yang dibeli akan mengalihkan pengguna ke domain staging saat ini"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Domain yang dibeli akan mengalihkan pengguna ke alamat utama Anda."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Saat pertama kali menggunakan Ketuk untuk Bayar di iPhone, Anda akan diarahkan untuk menerima Ketentuan Layanan Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Nilai pembayaran melewati batas untuk kartu yang dimasukkan. Coba gunakan metode pembayaran lainnya."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Pembayaran tidak dapat diproses oleh pemroses pembayaran."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "Kartu pembayaran dihapus terlalu cepat, silakan coba lagi."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Metode pembayaran tidak mendukung pengembalian dana otomatis. Selesaikan pengembalian dana dengan mentransfer uang kepada pelanggan secara manual."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Pembayaran dibatalkan pembaca"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Pembayaran dibatalkan."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Pembayaran tidak dapat diproses oleh pemroses pembayaran."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Waktu permintaan habis - harap coba lagi"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Permintaan untuk membuat kata sandi aplikasi tidak diizinkan."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Kuantitas stok untuk produk ini. Dapat disunting."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Alamat toko tidak valid atau hilang, harap perbarui sebelum melanjutkan."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Kode pos toko tidak valid atau hilang, harap perbarui sebelum melanjutkan."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Sistem tiba-tiba membatalkan perintah - harap coba lagi"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Sistem tiba-tiba mengalami error perangkat lunak"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Saat ini, laporan status sistem untuk situs Anda tidak dapat dimuat. Harap coba lagi."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Kode pos pada transaksi dan kode pos pada kartu tidak cocok Coba gunakan metode pembayaran lainnya"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Pembayaran percobaan tidak dapat dimulai. Coba lagi nanti atau hubungi dukungan jika masalah ini berlanjut."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Terjadi error saat mencoba menarik pembayaran."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Terjadi masalah saat menyiapkan penggunaan Ketuk untuk Bayar di iPhone. Silakan coba lagi."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Lisensi Pihak Ketiga"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Aplikasi ini hanya mendukung peran pengguna Administrator dan Manajer Toko. Harap hubungi pemilik toko Anda untuk mengupgrade peran Anda."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Kartu ini memerlukan kode PIN sehingga tidak dapat diproses Coba gunakan metode pembayaran lainnya"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Alasannya mungkin karena Anda menerapkan beberapa langkah keamanan ekstra di toko Anda."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Saat ini item ini ada dalam Paket %1$d: %2$@. Anda ingin memindahkannya ke mana?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Pembayaran ini sudah diselesaikan – silakan periksa detail pesanan."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Produk ini tidak dapat dimuat"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Coba Alamat Lainnya"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Coba Kartu Lainnya"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Coba Metode Membaca Lainnya"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Coba Beri Izin Lagi"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Coba lagi dengan halaman WP-Admin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Coba gunakan metode pembayaran lainnya"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Coba sambungkan lagi untuk mengakses toko Anda."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Coba dengan alamat situs"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Anda dapat mencoba lagi atau mencoba metode pembayaran lainnya."; - /* Country option for a site address. */ "Tunisia" = "Tunisia"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Ketik nama untuk toko Anda"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Tipe konten"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Tidak Dapat Terhubung"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Tidak dapat mengakses Bluetooth - aktifkan Bluetooth dan coba lagi"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Tidak dapat mengakses Layanan Lokasi - aktifkan Layanan Lokasi dan coba lagi"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Tidak dapat menambahkan kupon."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Tidak dapat mengubah status pesanan #%1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Tidak dapat berkomunikasi dengan pembaca - harap coba lagi"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Tidak dapat terhubung dengan pembaca kartu - pembaca kartu sudah digunakan"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Tidak dapat terhubung dengan pembaca - pembaca lain sudah terhubung"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Tidak dapat terhubung dengan pembaca - daya baterai pembaca rendah - isi daya pembaca dan coba lagi"; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Tidak dapat membuat pesanan baru"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Tidak dapat menandai ulasan %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Tidak dapat menjalankan permintaan dengan pembaca yang terhubung - fitur tidak didukung - coba lagi dengan pembaca lainnya"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Tidak dapat menjalankan permintaan perangkat lunak - perbarui aplikasi dan coba lagi"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Tidak dapat memproses pembayaran karena data tidak valid - harap coba lagi "; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Tidak dapat memproses pembayaran. Jumlah total pesanan di bawah jumlah minimal yang dapat Anda tagihkan, yaitu %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Tidak dapat memproses pembayaran. Kami tidak dapat mengambil detail pesanan terbaru. Periksa koneksi jaringan Anda dan coba lagi. Error dasar: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Tidak dapat membaca kartu - waktu sistem habis - harap coba lagi"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Tidak dapat membaca kartu yang dimasukkan - ambil kartu lalu masukkan lagi"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Tidak dapat membaca kartu yang digesek - coba gesek lagi"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Tidak dapat membaca situs WordPress dalam URL tersebut. Ketuk 'Perlu bantuan?' untuk melihat TJU."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Tidak dapat menyimpan perubahan. Silakan coba lagi."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Tidak dapat mencari pembaca kartu - perangkat ini tidak mendukung Bluetooth Hemat Energi - gunakan perangkat lainnya"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Tidak dapat mencari pembaca kartu - waktu untuk Bluetooth sudah habis - harap coba lagi"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Tidak dapat menetapkan detail pelanggan."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Tidak dapat memperbarui alamat."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Tidak dapat memperbarui perangkat lunak pembaca kartu karena daya baterai terlalu rendah"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Tidak dapat memperbarui harga"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Kami tidak dapat memverifikasi alamat pengiriman secara otomatis. Lihat di Apple Maps untuk memastikan alamat sudah benar."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Kami tidak dapat mencoba lagi pembayaran – silakan mulai dari awal."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Kami tidak dapat mengirimkan email kepada Anda. Coba lagi nanti."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Anda dapat menyunting add-on produk di dasbor web."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Anda dapat menemukan pengaturan domain di menu > pengaturan"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Anda dapat mengelola dengan cepat dan mudah"; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Anda tidak memiliki izin untuk mengelola plugin di toko ini."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Anda memiliki registrasi domain gratis selama satu tahun dengan paket Anda."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Ada pesanan baru! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Anda perlu menambahkan kata sandi agar produk Anda terlindungi oleh kata sandi"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Anda perlu membuat kode sandi layar kunci agar dapat menggunakan Ketuk untuk Bayar di iPhone."; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Tampaknya Anda telah menginstal plugin seluler dari DudaMobile yang membuat aplikasi tidak dapat tersambung ke blog Anda"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Email Anda tidak digunakan dengan akun WordPress.com."; -/* Title of the free domain view. */ -"Your free store address" = "Alamat toko gratis Anda"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Masa percobaan gratis Anda telah berakhir"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Alamat situs Anda ditampilkan di bilah bagian atas layar ketika Anda mengunjungi situs di Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Alamat situs Anda sedang disiapkan. Domain Anda memerlukan waktu hingga 30 menit untuk mulai berfungsi."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Domain situs Anda"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Situs tidak kunjung merespons"; @@ -10491,135 +10120,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Lihat semua kampanye"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Aplikasi ini memerlukan izin untuk mengakses Bluetooth agar dapat terhubung ke pembaca kartu Anda. Anda dapat memberikan izin melalui aplikasi Pengaturan sistem di bagian Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Perangkat pembaca Bluetooth sudah dipasangkan dengan perangkat lain. Pemasangan perangkat pembaca harus diatur ulang agar terhubung ke perangkat ini."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Koneksi Bluetooth memiliki ID lokasi yang tidak valid."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Aplikasi ini memerlukan izin untuk mengakses Bluetooth agar dapat terhubung ke pembaca kartu Anda. Anda dapat memberikan izin melalui aplikasi Pengaturan sistem di bagian Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Perangkat pembaca telah menghapus informasi penghubungan perangkat ini. Coba hapus perangkat pembaca di Pengaturan iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Perangkat pembaca Bluetooth terputus, dan kami sedang mencoba menyambungkannya kembali."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Operasi tidak dapat dibatalkan karena sudah selesai."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Fitur gesek kartu tidak tersedia."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Hubungi dukungan - perintah ini tidak diizinkan oleh sistem pengoperasian."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Pemegang kartu harus memberikan izin agar operasi ini berhasil."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Terjadi error saat mengambil token koneksi."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Waktu permintaan token koneksi telah habis. "; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Hubungi dukungan - fitur ini tidak tersedia."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Dilarang meneruskan pembayaran mode langsung dalam mode pengujian."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Dilarang meneruskan pembayaran mode pengujian dalam mode langsung."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac tidak tersedia saat mode offline."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Terjadi error jaringan yang tidak diketahui."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Waktu koneksi ke pembaca melalui internet telah habis. Pastikan perangkat Anda dan pembaca berada di jaringan Wifi yang sama, serta perangkat pembaca itu sendiri telah terhubung ke Wifi."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Hubungi dukungan - informasi rahasia (client secret) tidak valid."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Hubungi dukungan - konfigurasi pencarian tidak valid."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "ID lokasi tidak valid."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Perangkat pembaca kartu untuk pembaruan tidak valid."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Hubungi dukungan - parameter pengembalian dana tidak valid."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Hubungi dukungan - parameter wajib tidak valid."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Perangkat pembaca kartu gagal membaca data dari metode pembayaran yang digunakan. Jika masih terjadi error, perangkat pembaca kartu mungkin bermasalah. Oleh karena itu, harap hubungi dukungan."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Hubungi dukungan - tujuan pembayaran tidak ditemukan."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Hubungi dukungan - metode pengembalian dana tidak ditemukan."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Hubungi dukungan - tujuan penyiapan tidak ditemukan."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Konfirmasi pembayaran dalam mode offline gagal karena kartu terdeteksi telah kedaluwarsa."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Pastikan koneksi jaringan stabil selama proses pengumpulan dan konfirmasi pembayaran."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Kartu pengujian digunakan dalam mode langsung saat offline."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Konfirmasi pembayaran dalam mode offline gagal karena verifikasi kartu tidak berhasil."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "PIN Online tidak tersedia saat mode offline. Coba lagi pembayaran dengan kartu lain."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Kartu tidak dimasukkan dalam batas waktu yang diberikan."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Konfigurasi sambungan perangkat pembaca kartu tidak valid."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Perangkat pembaca kartu tidak memiliki kunci enkripsi yang diperlukan, terputus sambungannya, dan dinyalakan ulang. Sambungkan kembali perangkat pembaca kartu untuk mencoba menginstal ulang kunci. Jika masih terjadi error, hubungi dukungan."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Pembaruan perangkat lunak pembaca kartu gagal karena telah kedaluwarsa. Lepaskan dan sambungkan kembali perangkat pembaca kartu untuk mendapatkan pembaruan mutakhir."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Hubungi dukungan - parameter tip perangkat pembaca kartu tidak valid."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Pengembalian dana gagal. Bank atau penerbit kartu pelanggan tidak dapat memproses transaksi dengan benar (mis. rekening bank ditutup atau terdapat masalah dengan kartu)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Hubungi dukungan - terjadi error saat mendekode respons API Stripe."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Akun Apple ID yang ditautkan telah dinonaktifkan."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Terjadi error tidak terduga dengan perangkat pembaca kartu."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Perangkat pembaca ditemukan, tetapi tidak memiliki alamat IP dan tidak dapat terhubung."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Kupon"; @@ -11349,6 +10849,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Plugin"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Barcode terlalu pendek"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "Pemindaian barcode sebagian"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Permintaan jaringan gagal"; @@ -11361,6 +10867,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Item yang dipindai tidak diketahui"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Tidak dapat membaca barcode"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Pemindaian gagal"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Jenis item yang tidak didukung"; @@ -11706,6 +11218,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Kupon tidak digunakan"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Pemindaian barcode"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Harap tunggu"; @@ -11787,6 +11302,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Selesai"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Pemindaian barcode"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "Anda dapat memindai barcode menggunakan pemindai eksternal untuk mengisi keranjang dengan cepat."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Rincian lengkap."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Rincian lengkap, tautan."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• Atur barcode pada kolom \"GTIN, UPC, EAN, ISBN\" di Produk > Detail Produk > Inventaris. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "Pertama: Atur barcode pada kolom \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" melalui menu Produk, lalu Detail Produk, kemudian Inventaris."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• Pindai barcode saat berada di daftar item untuk menambahkan produk ke keranjang."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Keempat: Pindai barcode saat berada di daftar item untuk menambahkan produk ke keranjang."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "Pemindai beroperasi seperti input keyboard, sehingga terkadang kemunculan keyboard perangkat lunak mungkin terhalang, misalnya pada kolom pencarian. Ketuk ikon keyboard untuk menampilkannya lagi."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• Lihat petunjuk pemindai barcode Bluetooth untuk mengatur mode HID."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "Kedua: Lihat petunjuk pemindai barcode Bluetooth untuk mengatur mode H-I-D."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• Hubungkan pemindai barcode Anda di pengaturan Bluetooth pada iOS."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Ketiga: Hubungkan pemindai barcode Anda di pengaturan Bluetooh pada iOS."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "Ketuk produk ke \n tambahkan ke keranjang"; @@ -11886,9 +11440,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Produk populer"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Cari di toko Anda"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Pencarian terbaru"; @@ -11907,6 +11458,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Kupon tidak ditemukan"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Segarkan"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Untuk menambahkan produk, keluar dari POS dan buka Produk."; @@ -11937,6 +11491,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Buat kupon"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "Oke"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Hapus Pencarian"; @@ -11964,6 +11521,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "Stok habis"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "Pesanan baru"; @@ -12671,9 +12231,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Selesai"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Bantuan & Dukungan"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Mengerti"; @@ -13043,9 +12600,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Pesanan"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Checkout"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Tutup"; @@ -13454,8 +13008,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Pengiriman %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "Penanganan Tambahan (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Tanda Tangan Orang Dewasa Wajib Diisi (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Tanda Tangan Orang Dewasa Wajib Diisi (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "Karbon Netral (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d hari kerja"; @@ -13475,8 +13035,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Asuransi (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "Pengiriman Sabtu (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Tanda Tangan Diperlukan (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "Tanda Tangan Wajib Diisi (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Pelacakan"; diff --git a/WooCommerce/Resources/it.lproj/Localizable.strings b/WooCommerce/Resources/it.lproj/Localizable.strings index ea75fa1ec5b..a0820fddd30 100644 --- a/WooCommerce/Resources/it.lproj/Localizable.strings +++ b/WooCommerce/Resources/it.lproj/Localizable.strings @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (al cliente)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Copia di %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ su come accettare pagamenti con il tuo dispositivo mobile e su come ordinare i lettori di carte."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ sui domini e su come eseguire le azioni correlate."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ sulla verifica delle tue informazioni con WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "È necessario stampare un modulo doganale e allegarlo a questa spedizione internazionale"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Una carta in tempo reale è stata usata su un sito in modalità di prova Usa invece una scheda di prova."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Si è verificato un errore di rete. Controlla la connessione e riprova."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "AGGIUNGI OPZIONI"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "INDIRIZZO"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "ASSISTENZA"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Recupero del carrello abbandonato"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Impostazioni account"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Tipo di account"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Account connesso"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Aggiungi variante"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Aggiungi un dominio"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Aggiungi una nuova carta di credito"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Importo idoneo al rimborso"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Importo pagato"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Un ID Apple può essere utilizzato solo per l'aggiornamento di un negozio"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Si è verificato un errore durante la chiusura dell'account."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Si è verificato un errore durante l'accesso al Bluetooth: abilita il Bluetooth e riprova"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Una transazione identica è stata sottoposta di recente Se desideri continuare, prova un altro mezzo di pagamento"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Un'immagine non è stata caricata"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "È stato inserito un PIN errato troppe volte Prova altri metodi di pagamento"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "È stato inserito un PIN errato. Riprova o usa altri mezzi di pagamento"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Una nota opzionale da inviare al cliente dopo l'acquisto"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Log applicazione"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Nome dell'applicazione"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Manuali del lettore di schede"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "La carta è stata lasciata nel lettore: rimuovere e reinserire la carta"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "La carta è stata rimossa troppo presto. Riprova la transazione"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Annulla"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Città mancante"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Scegli il dominio"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Richiedi il tuo dominio gratuito"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Classe 1 - Pacchetto di propellente per razzi\/fusibile di sicurezza"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Congratulazioni, hai letto tutto."; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Congratulazioni per il tuo acquisto"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Complimenti. Il nuovo negozio è ora più vicino."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Connessione al lettore"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Connessione al lettore di carte scaduta: assicurati che sia nelle vicinanze e carica, quindi riprova"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Connessione all'account in corso"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Prosegui"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Intervallo di date"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Data del pagamento"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Data di spedizione"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Sconto"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Sconto del %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Tipo di sconto"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Documenti"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domini"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Fatto"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Feedback inviato."; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Tariffe"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Recupero delle varianti in corso…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Hai dimenticato la tua password?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Errore di convalida del modulo"; - /* Next web page */ "Forward" = "Inoltra"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Periodo di Prova"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratis per il primo anno"; - /* Country option for a site address. */ "French Guiana" = "Guyana Francese"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Pagamenti di persona"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Acquisti in-app"; - /* Application's Inactive State */ "Inactive" = "Inattivo"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Inserisci"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Inserisci la carta"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Inserisci righello orizzontale"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Inserisci link"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Inserisci o fai scorrere la scheda"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Inserisci la carta per pagare"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Lettonia"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Avvia il debug di Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Lancia il tuo negozio"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambico"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Rilevate più carte contactless"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Più negozi"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Ancora nessuna campagna"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Nessun lettore di schede è collegato: collegare un lettore e riprovare"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = " Nessuna categoria selezionata"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Nessun problema di connessione"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Nessuna connessione a Internet: connettiti a Internet e riprova"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Nessun codice promozionale trovato"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Nota per il cliente"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Note"; - /* Default message for empty media picker */ "Nothing to show" = "Niente da mostrare"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Totali pagamenti"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Pagamento rifiutato per crediti insufficienti Prova altri metodi di pagamento"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Pagamento non riuscito"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Metodo di pagamento"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Pagamento avvenuto correttamente"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Il pagamento è stato rifiutato per una ragione sconosciuta Prova altri metodi di pagamento"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Il pagamento è stato rifiutato per una ragione non specificata Prova altri metodi di pagamento"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Modifica il lettore"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Verifica che il tuo telefono soddisfi questi requisiti: iPhone XS o superiore con iOS 16.7 o versione successiva. Contatta l'assistenza se questo errore viene visualizzato su un dispositivo supportato."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Verifica che il tuo ID Apple sia valido, quindi riprova. Per accettare i Termini di servizio di Apple è necessario un ID Apple valido"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Connetti Jetpack tramite la tua pagina di amministrazione su un browser o contatta il supporto."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Contatta il supporto per l’assistenza."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Contatta l'assistenza: si è verificato un problema durante l'avvio di Tocca per pagare su iPhone"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Contatta il proprietario del sito per un invito al sito come gestore del negozio o amministratore per utilizzare l'app."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Seleziona un pacchetto"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Accedi ad iCloud su questo dispositivo per utilizzare Tocca per pagare su iPhone"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Riprova più tardi o contattaci per ricevere assistenza."; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Riprova di nuovo o contattaci per ricevere assistenza."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Riprova e accetta i Termini di servizio di Apple, in modo da poter utilizzare Tocca per pagare su iPhone"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Prova di nuovo o contatta il supporto per ricevere assistenza"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Riprova. In alternativa, puoi installare Jetpack tramite WP-Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Prova un'altra query."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Aggiorna il software del lettore per continuare ad accettare pagamenti"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Prezzi aggiornati correttamente."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Indirizzo principale del sito"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Stampa"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Motivo del rimborso ordine"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Ricevuta"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Ricevuta da %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Pagamenti ricorrenti"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Rigenera il codice promozionale"; -/* Title of the domain contact info form. */ -"Register domain" = "Registra dominio"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Prezzo standard"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Rimuovi attributo"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Rimuovi carta"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Rimuovi lo sconto"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Rinomina attributo"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Il rinnovo avviene su %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Sostituisci foto"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Riprova dopo aver eseguito l'aggiornamento"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Riprova la carta"; - /* Action button to check site's connection again. */ "Retry Connection" = "Riprova la connessione"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms inviato"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "SUGGERIMENTI"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Cerca codici promozionali"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Cerca domini."; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Cerca un dominio"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Cerca un cliente esistente o"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Spedito %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Alcuni indirizzi e-mail non sono validi."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Si è verificato un errore inatteso durante la convalida. Verifica i campi e riprova."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Qualcuno"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Siamo spiacenti, impossibile elaborare questo pagamento"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Siamo spiacenti, impossibile elaborare questo pagamento."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Siamo spiacenti, questo rimborso non può essere annullato"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Siamo spiacenti, questo rimborso non può essere elaborato"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Spiacenti, ma il nome utente deve contenere almeno una lettera (a-z)!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Non è stato possibile completare quest'azione poiché non è stato trovato alcun pagamento attivo."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Siamo spiacenti, impossibile connettersi al lettore. Riprova."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Siamo spiacenti, non abbiamo potuto avviare la funzione Tocca per pagare su iPhone. Controlla la connessione e riprova."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Abbonamenti"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Somma del peso di prodotti e pacchetto"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Riepilogo"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Riepilogo: ordine #%1$@"; - /* Country option for a site address. */ "Suriname" = "Suriname"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Svezia"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Carta magnetica"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Cambia negozio"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Rapporto dello stato del sistema copiato negli appunti"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Le carte di prova del sistema non sono autorizzate al pagamento Prova altri metodi di pagamento"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé e Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Tocca per pagare su iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tocca per pagare su iPhone non può essere utilizzato durante una telefonata. Riprova dopo aver terminato la chiamata."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Tocca per pagare su iPhone è pronto"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Stato delle tasse"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Tasse"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Termini di Servizio"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Prova gli acquisti in-app mentre ci prepariamo al lancio"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Prova a visualizzare i componenti aggiuntivi per gli ordini mentre ci prepariamo a lanciarli"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "L'estensione %1$@ è installata nel tuo negozio, ma deve essere aggiornata per i Pagamenti di persona. Aggiorna alla versione più recente."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "La connessione Bluetooth al lettore di schede si è disconnessa inaspettatamente"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "L'account Google \"%@\" non corrisponde a nessun account su WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "L'ordine non è stato registrato!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "L'importo non è supportato da Tocca per pagare su iPhone: prova un lettore hardware o un altro metodo di pagamento."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "L'app non ha potuto abilitare Tocca per pagare su iPhone, perché il chip NFC è disabilitato. Contatta il supporto per ulteriori dettagli."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Impossibile rimuovere l'attributo."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Impossibile salvare l'attributo."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "La carta non supporta questa valuta Prova altri metodi di pagamento"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "La carta non supporta questo tipo di acquisto Prova altri metodi di pagamento"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "La carta è scaduta. Prova altri metodi di pagamento"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "La carta o l'account della carta non è valida\/o Prova altri metodi di pagamento"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Il lettore di schede è impegnato nell'esecuzione di un altro comando. Riprova"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Il lettore di schede non è compatibile con questa applicazione: prova ad aggiornare l'applicazione o a utilizzare un lettore diverso"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "La sessione del lettore di carte è scaduta: scollegare e ricollegare il lettore di carte, quindi riprovare"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Il software del lettore di carte non è aggiornato: aggiorna il software del lettore di carte prima di tentare di elaborare i pagamenti"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Il software del lettore di carte non è aggiornato: aggiorna il software del lettore di carte prima di tentare di elaborare i pagamenti."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Il software del lettore di carte non è aggiornato, esegui l'aggiornamento prima del tentativo di elaborazione dei rimborsi"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "L'aggiornamento del software del lettore di schede non è riuscito a causa di un errore di comunicazione. Riprova"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "L'aggiornamento del software del lettore di schede non è riuscito a causa di un problema con il server di aggiornamento. Riprova"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "L'aggiornamento del software del lettore di schede non è riuscito in modo imprevisto. Riprova"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "L'aggiornamento del software del lettore di schede è stato interrotto prima del completamento. Riprova"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "La carta è stata rifiutata dal lettore di carte - prova con un altro mezzo di pagamento"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "La carta è stata rifiutata dal lettore di carte: prova con un altro mezzo di pagamento."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "La carta è stata rifiutata dal lettore di carte, prova con un'altra modalità di rimborso"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "La carta è stata rifiutata dal lettore di carte dell'iPhone, prova con un'altra modalità di pagamento"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "La carta è stata rifiutata dall'elaboratore di pagamento: prova con un altro mezzo di pagamento."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Il certificato per questo server non è valido. Continuando, corri il rischio di connetterti ad un server che finge di essere “%@”, il che potrebbe compromettere la sicurezza di informazioni riservate che ti appartengono.\n\nVuoi accettare comunque il certificato?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Il codice promozionale non può essere vuoto."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "La valuta non è supportata per Tocca per pagare suiPhone: prova un lettore hardware o un altro metodo di pagamento."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Il cliente riceverà una e-mail una volta che l'ordine è stato completato"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Il dominio acquistato reindirizzerà gli utenti a **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Il dominio acquistato reindirizzerà gli utenti al dominio di staging corrente"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Il dominio acquistato reindirizzerà gli utenti al tuo indirizzo principale."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "La prima volta che usi Tocca per pagare sull'iPhone, ti potrebbe essere chiesto di accettare i Termini di servizio di Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "L'importo del pagamento non è consentito per la carta presentata Prova altri metodi di pagamento"; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Il pagamento non può essere elaborato dal processore di pagamento."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "La carta di pagamento è stata rimossa troppo presto, riprova."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Il metodo di pagamento non supporta i rimborsi automatici. Completa il rimborso trasferendo manualmente il denaro al cliente."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Il pagamento è stato annullato sul lettore"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Il pagamento è stato cancellato."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Il rimborso non può essere elaborato dallo strumento di elaborazione dei pagamenti."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "La richiesta è scaduta. Riprova"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "La richiesta di generare la password dell'applicazione non è stata autorizzata."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Quantità in magazzino per questo prodotto. Modificabile."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "L'indirizzo del negozio è incompleto o mancante, aggiornalo prima di continuare."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Il codice postale del negozio non è valido o manca, aggiornalo prima di continuare."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Il sistema ha annullato il comando in modo imprevisto. Riprova"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Il sistema ha riscontrato un errore software imprevisto"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Al momento non è possibile recuperare il rapporto dello stato del sistema per il tuo sito. Riprova."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Il codice postale della transazione e il codice postale della carta non corrispondono Prova altri metodi di pagamento"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Non è stato possibile avviare il pagamento di prova, riprova o contatta l'assistenza se il problema persiste."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Si è verificato un errore durante il tentativo di ricezione del pagamento."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Si è verificato un problema durante la preparazione dell'utilizzo di Tocca per pagare su iPhone. Riprova."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Licenze di terze parti"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Quest'app supporta solo i ruoli utente di Amministratore e Gestore negozio. Contatta il proprietario del negozio per aggiornare il tuo ruolo."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Questa carta richiede un codice PIN e non può essere elaborata Prova altri metodi di pagamento"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Questo potrebbe essere dovuto al fatto che il tuo negozio ha adottato misure di sicurezza aggiuntive."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Questo elemento si trova al momento nel pacchetto %1$d: %2$@. Dove vorresti spostarlo?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Questo pagamento è già stato completato. Verificare i dettagli dell'ordine."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Non è stato possibile caricare questo prodotto"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Prova con un altro indirizzo"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Prova un'altra carta"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Prova un altro metodo di lettura"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Prova di nuovo l'autorizzazione"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Prova di nuovo con la pagina WP-Admin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Prova altri metodi di pagamento"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Prova a connetterti di nuovo per accedere al tuo negozio."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Prova con l'indirizzo del sito"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Riprovare potrebbe avere esito positivo oppure provare con un altro mezzo di pagamento"; - /* Country option for a site address. */ "Tunisia" = "Tunisia"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Digita un nome per il tuo negozio"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Tipo di contenuti"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Impossibile connettersi"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Impossibile accedere al Bluetooth: abilita il Bluetooth e riprova"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Impossibile accedere ai servizi di localizzazione: abilita i servizi di localizzazione e riprova"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Impossibile aggiungere il codice promozionale."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Impossibile modificare lo stato dell’ordine n. %1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Impossibile comunicare con il lettore. Riprova"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Impossibile connettersi al lettore di carte - il lettore di carte è già in uso"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Impossibile connettersi al lettore - un altro lettore è già connesso"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Impossibile connettersi al lettore - il lettore ha una batteria quasi scarica - caricare il lettore e riprovare."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Impossibile creare un nuovo ordine"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Impossibile contrassegnare la recensione come %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Impossibile eseguire la richiesta con il lettore connesso - funzione non supportata - riprovare con un altro lettore"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Impossibile eseguire la richiesta del software: aggiorna questa applicazione e riprova"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Impossibile elaborare il pagamento a causa di dati non validi. Riprova"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Impossibile elaborare il pagamento. L'importo totale dell'ordine è inferiore all'importo minimo che puoi addebitare, che è di %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Impossibile elaborare il pagamento. Impossibile recuperare i dettagli dell'ultimo ordine. Controlla la connessione di rete e riprova. Errore sottostante: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Impossibile leggere la scheda - il sistema è scaduto - riprovare"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Impossibile leggere la scheda inserita - prova a rimuovere e inserire di nuovo la scheda"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Impossibile leggere la carta strisciata: prova a scorrere di nuovo"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Impossibile leggere il sito WordPress associato a questo URL. Tocca \"Hai bisogno di ulteriore aiuto?\" per accedere alle Domande frequenti."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Impossibile salvare le modifiche. Riprova."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Impossibile cercare lettori di schede - Bluetooth Low Energy non è supportato su questo dispositivo - utilizzare un dispositivo diverso"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Impossibile cercare lettori di schede - Bluetooth scaduto - riprovare"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Impossibile impostare i dettagli del cliente."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Impossibile aggiornare l'indirizzo."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Impossibile aggiornare il software del lettore di schede: la batteria del lettore è troppo scarica"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Impossibile aggiornare il prezzo"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Impossibile verificare automaticamente l'indirizzo di spedizione. Visualizzalo su Mappe di Apple o prova a contattare il cliente per assicurarti che l'indirizzo sia corretto."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Non è stato possibile ritentare il pagamento. Ripeti l'intera procedura dal principio."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Al momento non siamo stati in grado di inviarti un'e-mail. Riprova più tardi."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Puoi modificare i componenti aggiuntivi dei prodotti nella bacheca web."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Puoi trovare le impostazioni del dominio in menu > impostazioni"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Gestione rapida e facile."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Non disponi dell'autorizzazione per gestire i plugin in questo negozio."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Il tuo piano include la registrazione del dominio per un anno gratuitamente."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Hai un nuovo ordine. 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Devi aggiungere una password per fare in modo che il tuo prodotto sia protetto da password"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Devi impostare un passcode per la schermata di blocco per utilizzare Tocca per pagare su iPhone"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Sembra che tu abbia installato un plugin per mobile di DudaMobile che impedisce all'applicazione di stabilire una connessione con il tuo blog"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "L'e-mail non è utilizzata con un account WordPress.com."; -/* Title of the free domain view. */ -"Your free store address" = "L'indirizzo del tuo negozio gratuito"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "La tua prova gratuita è terminata"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "L'indirizzo del tuo sito viene visualizzato sulla barra nella parte superiore dello schermo quando visiti il tuo sito su Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "L'indirizzo del tuo sito è in fase di configurazione. Potrebbero essere necessari fino a 30 minuti prima che il tuo dominio inizi a funzionare."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "I tuoi domini dei siti"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Il tuo sito impiega molto tempo per rispondere"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Visualizza tutte le campagne"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "L'app necessita dell'autorizzazione per accedere al Bluetooth e connettersi al reader di carte. Puoi autorizzare l'operazione nell'app Impostazioni di sistema della sezione Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Reader Bluetooth già abbinato a un altro dispositivo. Ripristinare l'abbinamento del reader per connettersi a questo dispositivo."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "ID posizione della connessione Bluetooth non valido."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "L'app necessita dell'autorizzazione per accedere al Bluetooth e connettersi al reader di carte. Puoi autorizzare l'operazione nell'app Impostazioni di sistema della sezione Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Il reader è stato rimosso dalle informazioni di abbinamento del dispositivo. Prova a eliminare il reader nelle impostazioni iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Il reader Bluetooth si è disconnesso. Tentativo di riconnessione in corso."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Impossibile annullare l'operazione, perché è già stata completata."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Funzione di scorrimento carta non disponibile."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Contatta l'assistenza: esecuzione comando non consentita dal sistema operativo."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Il possessore della carta deve consentire all'operazione per il suo completamento."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Errore durante il recupero del token di connessione."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Time out richiesta token di connessione."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Contatta l'assistenza: funzione non disponibile."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Non è consentito inviare un pagamento live in modalità di prova."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Non è consentito inviare un pagamento di prova in modalità live."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac non è supportato in modalità offline."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Si è verificato un errore di rete sconosciuto."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Time out di connessione a Internet del reader. Verifica che il dispositivo e il lettore si trovino sulla stessa rete Wi-Fi e che il lettore sia connesso alla rete Wi-Fi."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Contatta l'assistenza: codice segreto cliente non valido."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Contatta l'assistenza: configurazione Discovery non valida."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "ID di posizione non valido."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Lettore da aggiornare non valido."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Contatta l'assistenza: parametri rimborso non validi."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Contatta l'assistenza: parametro richiesto non valido."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Lettura dati del reader dal metodo di pagamento selezionato non riuscita. Se questo errore si verifica ripetutamente, il reader potrebbe essere guasto. Contatta l'assistenza."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Contatta l'assistenza: intento di pagamento mancante."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Contatta l'assistenza: metodo di rimborso pagamento mancante."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Contatta l'assistenza: intento di configurazione mancante."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Conferma del pagamento offline e identificazione della carta come scaduta."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Verifica che la connessione di rete sia compatibile con il pagamento e la conferma."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Carta di prova utilizzata in modalità live mentre si è offline."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Conferma del pagamento offline e verifica della carta non riuscita."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Il PIN online non è supportato in modalità offline. Ritenta il pagamento con un'altra carta."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Non è stata presentata una carta entro il limite di tempo."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Configurazione di connessione reader non valida."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Chiavi di criptazione di lettura del reader mancanti, il dispositivo si è disconnesso e riavviato. Riconnettiti al reader per cercare di reinstallare le chiavi. Se l'errore persiste, contatta il supporto."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Aggiornamento del software del reader non riuscito, perché l'aggiornamento è scaduto. Disconnettiti e riconnettiti al reader per ottenere un nuovo aggiornamento."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Contatta l'assistenza: parametro mancia lettore non valido."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Rimborso non riuscito. La banca o l'emittente della carta del cliente non è stato in grado di elaborarla correttamente (ad esempio per via del conto corrente chiuso o un problema con la carta)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Contatta l'assistenza: si è verificato un errore durante la decodifica della risposta API di Stripe."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "L'account dell'ID Apple collegato è stato disattivato."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Si è verificato un errore inaspettato con il reader."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Il reader individuato non ha un indirizzo IP e non è possibile effettuare una connessione."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Codici promozionali"; @@ -11889,9 +11389,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Prodotti popolari"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Cerca nel tuo negozio"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Ricerche recenti"; @@ -12674,9 +12171,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Fatto"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Aiuto e supporto"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Ricevuto"; @@ -13046,9 +12540,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Ordini"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Pagamento"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Ignora"; @@ -13457,9 +12948,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Spedizione %1$d"; -/* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Firma di un adulto richiesta (+%1$@)"; - /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d giorno lavorativo"; @@ -13478,9 +12966,6 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Assicurazione (%1$@)"; -/* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Firma richiesta (+%1$@)"; - /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Tracciabilità"; diff --git a/WooCommerce/Resources/ja.lproj/Localizable.strings b/WooCommerce/Resources/ja.lproj/Localizable.strings index 04a65287efc..0a8af28b90b 100644 --- a/WooCommerce/Resources/ja.lproj/Localizable.strings +++ b/WooCommerce/Resources/ja.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 09:54:05+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ja_JP */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (顧客向け)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ のコピー"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "モバイルデバイスや注文用カードリーダーでの支払いの受領方法について%1$@。"; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "ドメインやドメインに関連する対処方法については、%1$@。"; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "WooPayments での情報の確認について%1$@"; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "この国外配送では税関申告書を印刷して添付する必要があります"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "本番用カードがテストモードのサイトで使用されました。 挿入されているテストカードを使用してください。"; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "ネットワークエラーが発生しました。 接続を確認して、もう一度お試しください。"; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "オプションを追加"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "住所"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "放棄されたカートの復旧"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "アカウント設定"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "アカウントの種類"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "アカウントが連携されました"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "バリエーションを追加"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "ドメインを追加"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "新しいクレジットカードを追加"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "返金対象額"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "支払額"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "1つのストアのアップグレードには1つ の Apple ID のみ使用できます"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "アカウントの閉鎖中にエラーが発生しました。"; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Bluetooth へのアクセス時にエラーが発生しました。Bluetooth を有効にしてから、もう一度お試しください。"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "同一の取引が最近送信されています。 続行する場合は、別の支払方法をお試しください"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "画像のアップロードに失敗しました"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "上限回数を超えて誤った PIN が入力されました。 別の支払方法をお試しください"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "誤った PIN が入力されました。 再度お試しいただくか、別の支払い方法をお使いください"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "購入後、お客様に送るオプション備考"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "アプリケーションログ"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "アプリケーション名"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "カードリーダーマニュアル"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "カードがリーダーに残っています。カードを取り外して、もう一度挿入してください"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "カードの取り外しが早すぎました。取引をもう一度お試しください。"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "キャンセル"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "市区町村がありません"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "ドメインを取得する"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "無料ドメインを取得"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "クラス1 – 玩具用推進剤\/安全ヒューズパッケージ"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "すべて読み終えました !"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "購入完了です"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "おめでとうございます ! 新しいストアの準備完了にまた一歩近づいています。"; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Reader に接続しています"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "カードリーダーとの接続がタイムアウトしました。充電されたカードリーダーが近くにあることを確認し、もう一度お試しください。"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "アカウントへの接続"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "次へ"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "日付の範囲"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "支払日"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "出荷日"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "割引"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "割引 %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "割引の種類"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "文書"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "ドメイン"; - /* Country option for a site address. */ "Dominica" = "ドミニカ"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "完了"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "フィードバックを送信しました"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "手数料"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "バリエーションを取得しています…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "パスワードをお忘れですか ?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "フォーム検証エラー"; - /* Next web page */ "Forward" = "前へ"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "無料お試し"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "1年目は無料"; - /* Country option for a site address. */ "French Guiana" = "フランス領ギアナ"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "オフラインでの支払い"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "アプリ内購入"; - /* Application's Inactive State */ "Inactive" = "停止中"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "挿入"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "カードを挿入してください"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "水平線を挿入"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "リンクを挿入"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "カードを挿入またはスワイプしてください"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "カードを挿入して支払う"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "ラトビア"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Wormholy デバッグを起動"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "ストアを立ち上げる"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "モザンビーク"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "複数の非接触型カードが検出されました"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "複数のストア"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "まだキャンペーンはありません"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "カードリーダーが接続されていません。リーダーを接続してもう一度お試しください。"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "カテゴリーが選択されていません"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "接続の問題なし"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "インターネットに接続されていません。インターネットに接続してもう一度お試しください。"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "クーポンがありません"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "お客様への通知"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "メモ"; - /* Default message for empty media picker */ "Nothing to show" = "表示するものはありません"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "支払総額"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "資金が不足しているため支払いが拒否されました。 別の支払方法をお試しください"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "支払いに失敗しました"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "決済方法"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "支払いに成功しました"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "不明な理由により支払いが拒否されました。 別の支払方法をお試しください"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "不明な理由により支払いが拒否されました。 別の支払方法をお試しください"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "リーダーを充電してください"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "お使いのスマートフォンが次の要件を満たしていることを確認してください: iOS 16.7以降対応の iPhone XS 以降。 対応の端末でこのエラーが表示される場合は、サポートにお問い合わせください。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Apple ID が有効であることを確認してから、もう一度お試しください。 Apple の利用規約に同意するには、有効な Apple ID が必要です"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "ブラウザーの管理画面から Jetpack を接続するか、サポートにお問い合わせください。"; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "ヘルプが必要な場合はサポートにご連絡ください。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "サポートにお問い合わせください。Tap to Pay on iPhone を開始する際に問題が発生しました"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "アプリを使用するには、サイトの所有者に連絡し、ショップ運営者または管理者としてサイトへの招待を受けてください。"; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "荷物を選択してください"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Tap to Pay on iPhone を使用するには、この端末で iCloud にログインしてください"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "しばらくしてから再度お試しいただくか、サポートをご依頼ください。"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "再度お試しいただくか、サポートをご依頼ください。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "もう一度お試しいただき、Apple の利用規約に同意すると、Tap to Pay on iPhone を使用できるようになります"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "もう一度お試しいただくか、ヘルプが必要な場合はサポートにご連絡ください"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "もう一度お試しください。 または、WP 管理画面から Jetpack をインストールすることもできます。"; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "別のクエリーをお試しください。"; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "引き続き支払いを受け入れるには、Reader のソフトウェアを更新してください"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "価格が正常に更新されました。"; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "主要サイトのアドレス"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "印刷"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "注文返金の理由"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "領収書"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "%1$@からのレシート"; - /* No comment provided by engineer. */ "Recurring payments'" = "定期支払い"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "クーポンコードを再生成"; -/* Title of the domain contact info form. */ -"Register domain" = "ドメインの登録"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "標準価格"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "属性を削除"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "カードを取り外してください"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "割引を削除"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "属性の名前を変更"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "%1$@に更新"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "写真を置換"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "更新後に再試行"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "カードをもう一度お試しください"; - /* Action button to check site's connection again. */ "Retry Connection" = "再度接続を試す"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 送信完了"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "提案"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "クーポンを検索"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "ドメインを検索"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "ドメインを検索"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "既存の顧客を検索、または"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "出荷日: %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "一部のメールアドレスが無効です。"; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "検証の際に予期せぬエラーが発生しました。 フィールドを確認してからもう一度お試しください。"; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "だれか"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "支払いを処理できませんでした"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "この支払いを処理できませんでした。"; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "この返金をキャンセルできませんでした"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "返金を処理できませんでした"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "ユーザー名には半角小文字 (a-z) を必ず含めてください。"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "申し訳ございませんが、有効な支払いが見つからなかったため、このアクションを完了できませんでした。"; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Reader に接続できませんでした。 もう一度お試しください。"; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "iPhone で Tap to Pay を開始できません。 接続を確認して、もう一度お試しください。"; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "サブスクリプション"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "商品と荷物の重量の合計"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "ご注文内容"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "ご注文内容: 注文番号%1$@"; - /* Country option for a site address. */ "Suriname" = "スリナム"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "スウェーデン"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "カードをスワイプしてください"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "ストアを切り替える"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "システムステータスレポートをクリップボードにコピーしました"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "システムテストカードは支払いを許可されていません。 別の支払方法をお試しください"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "サントメ・プリンシペ"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "iPhone でタップして支払う"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "通話中に Tap to Pay on iPhone を使用することはできません。 通話を終了してからもう一度お試しください。"; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "今すぐ Tap to Pay on iPhone を使用できます"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "税状況"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "税"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "利用規約"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "リリースに向けてアプリ内購入をテストする"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "起動の準備ができたら、注文アドオンの表示をテストします"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "ご使用のストアに %1$@ 拡張機能がインストールされていますが、オフラインでの支払いを行うには更新する必要があります。 最新バージョンに更新してください。"; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Bluetooth とカードリーダーの接続が予期せず切断されました"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Google アカウント「%@」は、WordPress.com のアカウントと一致しません"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "注文を読み込めません。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone ではその金額に対応していません。ハードウェアリーダーか、別の支払い方法をお試しください。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "NFC チップが無効になっているため、アプリで Tap to Pay on iPhone を有効化できませんでした。 詳細についてはサポートにお問い合わせください。"; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "属性を削除できませんでした。"; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "属性を保存できませんでした。"; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "カードはこの通貨をサポートしていません。 別の支払方法をお試しください"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "カードはこの種類の購入をサポートしていません。 別の支払方法をお試しください"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "カードの有効期限が過ぎています。 別の支払方法をお試しください"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "カードまたはカード口座が無効です。 別の支払方法をお試しください"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "カードリーダーは別のコマンドを実行中です。もう一度お試しください。"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "カードリーダーにこのアプリケーションとの互換性がありません。アプリケーションをアップデートするか、別のリーダーを使用してください。"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "カードリーダーのセッションの期限が切れています。カードリーダーの接続を解除し、接続し直してからもう一度お試しください。"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "カードリーダーのソフトウェアの期限が切れています。カードリーダーのソフトウェアを更新してから、支払いを処理してみてください。"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "カードリーダーのソフトウェアの期限が切れています。カードリーダーのソフトウェアを更新してから支払いを処理してください。"; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "カードリーダーのソフトウェアの期限が切れています。カードリーダーのソフトウェアを更新してから、返金を処理してみてください。"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "通信エラーにより、カードリーダーのソフトウェアの更新に失敗しました。もう一度お試しください。"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "更新サーバーに問題が発生したため、カードリーダーのソフトウェアの更新に失敗しました。もう一度お試しください。"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "カードリーダーのソフトウェアの更新が予期せずに失敗しました。もう一度お試しください。"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "カードリーダーのソフトウェアの更新が完了する前に中断されました。もう一度お試しください。"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "カードがカードリーダーにより拒否されました。別の支払方法をお試しください。"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "カードがカードリーダーによって拒否されました。別の支払い方法をお試しください。"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "カードリーダーでカードが拒否されました。別の支払方法をお試しください。"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "カードが iPhone カードリーダーに拒否されました。別の支払い方法をお試しください"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "カードが決済業者によって拒否されました。別の支払い方法をお試しください。"; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "このサーバーの証明書が無効です。「%@」を偽装しているサーバーに接続中の可能性があるため、機密情報が危険にさらされる恐れがあります。\n\nこの証明書をそのまま信頼しますか ?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "クーポンコードを空にできませんでした"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone ではその通貨に対応していません。ハードウェアリーダーか、別の支払い方法をお試しください。"; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "お客様は注文を完了するとメールを受信します"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "購入したドメインにアクセスすると **%1$@** に転送されます"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "購入したドメインにアクセスすると現在のステージングドメインに転送されます"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "購入したドメインにアクセスするとメインアドレスに転送されます。"; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "最初に Tap to Pay on iPhone を使用した際は、Apple の利用規約への同意を促す通知が表示されます。"; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "この支払い額は提示されたカードで許可されていません。 別の支払方法をお試しください。"; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "決済業者はこの支払いを処理できません。"; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "支払いカードの削除が早すぎました。もう一度お試しください。"; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "この支払い方法は自動返金をサポートしていません。 顧客に手動で送金し、払い戻しを完了してください。"; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "リーダーで支払いがキャンセルされました"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "支払いがキャンセルされました。"; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "決済業者はこの返金を処理できません。"; -/* Error message when a request times out. */ -"The request timed out - please try again." = "リクエストがタイムアウトしました。もう一度お試しください。"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "アプリケーションパスワードを生成するリクエストが承認されていません。"; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "この商品の在庫数。編集可能。"; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "ストアの住所が不完全または不明です。住所を更新してから続行してください。"; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "ストアの郵便番号が無効または不明です。郵便番号を更新してから続行してください。"; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "システムによりコマンドが予期せずキャンセルされました。もう一度お試しください。"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "システムで予期しないソフトウェアエラーが発生しました"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "現在、サイトのシステムステータスレポートを取得できません。 もう一度お試しください。"; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "取引の郵便番号とカードの郵便番号が一致しません。 別の支払方法をお試しください"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "お試しの支払いを開始できませんでした。もう一度お試しいただくか、この問題が解決しない場合はサポートにご連絡ください。"; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "支払いの受け取り中にエラーが発生しました。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Tap to Pay on iPhone の使用を準備する際に問題が発生しました。もう一度お試しください。"; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "サードパーティのライセンス"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "このアプリでサポートされているユーザー権限グループは、管理者とショップマネージャーのみです。 自分の権限グループを更新するには、ストア所有者に連絡してください。"; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "このカードには PIN コードが必要なため、処理できません。 別の支払方法をお試しください"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "ストアに追加のセキュリティ措置が講じられていることが原因の可能性があります。"; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "現在この商品は荷物 %1$d: %2$@ に入っています。 どこに移動しますか ?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "この支払いはすでに完了しています。注文の詳細を確認してください。"; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "この商品を読み込めませんでした"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "別のアドレスを試す"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "別のカードでお試しください"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "別の読み取り方法をお試しください"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "認証を再試行"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "WP 管理画面ページで再試行"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "別の支払方法をお試しください"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "ストアにアクセスするには、もう一度接続してみてください。"; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "サイトアドレスで試す"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "もう一度試すか、別の支払方法をお試しください"; - /* Country option for a site address. */ "Tunisia" = "チュニジア"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "ツバル"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "ストアの名前を入力してください"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "中身の種類"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "接続できない"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Bluetooth にアクセスできません。Bluetooth を有効にしてから、もう一度お試しください。"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "位置情報サービスにアクセスできません。位置情報サービスを有効にしてから、もう一度お試しください。"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "クーポンを追加できません。"; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "注文番号%1$dのステータスを変更できません"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "リーダーと通信できません。もう一度お試しください。"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "このカードリーダーは使用中のため接続できません。"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "リーダーに接続できません。別のリーダーにすでに接続されています。"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "リーダーのバッテリー残量が極めて少ないため、リーダーに接続できません。リーダーを充電してからもう一度お試しください。"; - /* Notice displayed when order creation fails */ "Unable to create new order" = "新しい注文を作成できません"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "レビューを%@に変更できませんでした"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "機能がサポートされていないため、接続されているリーダーではリクエストを実行できません。別のリーダーを使ってもう一度お試しください。"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "ソフトウェアのリクエストを実行できません。アプリケーションをアップデートしてから、もう一度お試しください。"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "無効なデータのため支払いを処理できません。もう一度お試しください。"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "支払いを処理できません。 注文の合計金額が請求可能な最低金額 (%1$@) を下回っています。"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "支払いを処理できません。 最新の注文の詳細を取得できませんでした。 ネットワーク接続を確認して、もう一度お試しください。 根本的なエラー: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "システムがタイムアウトしたため、カードの読み取りができません。もう一度お試しください。"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "カードの読み取りができません。カードを取り外し、もう一度挿入してください。"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "カードの読み取りができません。もう一度スワイプしてください。"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "その URL の WordPress サイトを読み込めません。 「ヘルプが必要ですか ?」をタップして FAQ を表示してください。"; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "変更内容を保存できません。 もう一度お試しください。"; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "カードリーダーを検索できません。お使いのデバイスでは Bluetooth Low Energy がサポートされていません。別のデバイスをご使用ください。"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Bluetooth のタイムアウトにより、カードリーダーを検索できません。もう一度お試しください"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "お客様の詳細を設定できません。"; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "住所を更新できません。"; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "リーダーのバッテリー残量が少ないため、カードリーダーのソフトウェアを更新できません"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "価格を更新できません"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "自動的に配送先住所を確認できませんでした。 Apple マップで表示して住所が正しいことを確認してください。"; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "支払いを再試行できませんでした。もう一度やり直してください。"; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "メールを送信できませんでした。後ほど、もう一度お試しください。"; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "ウェブダッシュボードで製品アドオンを編集できます。"; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "「メニュー」>「設定」にドメイン設定があります。"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "スピーディかつ簡単に管理できます。"; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "このストアのプラグインを管理する権限がありません。"; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "このプランには、1年間の無料ドメイン登録が含まれています。"; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "新しい注文があります。🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "商品をパスワードで保護するには、パスワードを追加する必要があります"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Tap to Pay on iPhone を使用するには、ロック画面のパスコードを設定する必要があります。"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "アプリがブログに接続するのを防止するモバイルプラグインが DudaMobile からインストールされたようです。"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "メールアドレスは WordPress.com アカウントで使用されていません。"; -/* Title of the free domain view. */ -"Your free store address" = "無料ストアのアドレス"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "お試し期間が終了しました"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Safari でサイトにアクセスすると、画面の上部にあるバーにサイトアドレスが表示されます。"; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "サイトアドレスをセットアップしています。 ドメインが使用可能になるまでに最大で30分かかる場合があります。"; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "あなたのサイトドメイン"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "サイトの応答に時間がかかっています"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "すべてのキャンペーンを表示"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "このアプリでカードリーダーに接続するには Bluetooth へのパーミッションが必要です。 システムの設定アプリの「Woo」セクションでパーミッションを付与できます。"; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Bluetooth リーダーはすでに別の端末とペアリングされています。 リーダーをこの端末に接続するには、ペアリングをリセットする必要があります。"; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Bluetooth 接続に無効なロケーション ID があります。"; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "このアプリでカードリーダーに接続するには Bluetooth へのパーミッションが必要です。 システムの設定アプリの「Woo」セクションでパーミッションを付与できます。"; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "リーダーがこの端末のペアリング情報を削除しました。 iOS 設定ではリーダーは不要です。"; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Bluetooth リーダーの接続が解除されました。再接続を試行しています。"; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "この操作はすでに完了しているため、キャンセルできませんでした。"; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "カードのスワイプ機能は利用できません。"; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "サポートにお問い合わせください。このコマンドはオペレーティングシステムによる実行が許可されていません。"; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "この操作を続行するには、カード所有者が同意する必要があります。"; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "接続トークンの取得中にエラーが発生しました。"; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "接続トークンのリクエストがタイムアウトしました。"; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "サポートにお問い合わせください。この機能は利用できません。"; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "テストモードでライブモードの支払いを転送することは禁止されています。"; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "ライブモードでテストモードの支払いを転送することは禁止されています。"; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "オフラインモードでは Interac はサポートされていません。"; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "不明なネットワークエラーが発生しました。"; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "インターネット経由でのリーダーとの接続がタイムアウトしました。 お使いの端末とリーダーが同じ Wi-Fi ネットワークにあり、リーダーが Wi-Fi ネットワークに接続されていることを確認します。"; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "サポートにお問い合わせください。クライアントシークレットが無効です。"; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "サポートにお問い合わせください。検出の設定が無効です。"; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "ロケーション ID が無効です。"; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "アップデートのリーダーが無効です。"; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "サポートにお問い合わせください。返金の変数が無効です。"; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "サポートにお問い合わせください。必須の変数が無効です。"; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "提示された支払い方法からリーダーがデータを読み込めませんでした。 このエラーが繰り返し発生する場合は、リーダーに問題がある可能性があります。サポートにお問い合わせください。"; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "サポートにお問い合わせください。支払いのインテントがありません。"; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "サポートにお問い合わせください。返金の支払い方法がありません。"; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "サポートにお問い合わせください。設定のインテントがありません。"; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "オフライン中に支払いを確認したところ、カードの有効期限が切れていることがわかりました。"; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "支払いの受け取りと確認の際にネットワーク接続が安定していることを確認してください。"; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "オフライン中にテストカードがライブモードで使用されています。"; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "オフライン中に支払いを確認したところ、カードを認証できませんでした。"; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "オフラインモードではオンライン PIN はサポートされていません。 別のカードでもう一度お支払いをお試しください。"; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "制限時間内にカードが提示されませんでした。"; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "リーダーの接続設定が無効です。"; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "支払いの受け取りに必要な暗号化キーがリーダーにありません。リーダーが接続を解除して再起動しました。 リーダーに再接続して、キーの再インストールをお試しください。 エラーが解決しない場合は、サポートにご連絡ください。"; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "アップデートの有効期限が切れているため、リーダーのソフトウェアを更新できませんでした。 リーダーの接続を解除し、再接続して新しいアップデートを取得してください。"; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "サポートにお問い合わせください。リーダーのチップの変数が無効です。"; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "返金が失敗しました。 お客様がご利用の銀行またはカード発行会社で適切に処理されませんでした (銀行口座が閉鎖されている、カードに問題があるなど)。"; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "サポートにお問い合わせください。Stripe API レスポンスのデコード中にエラーが発生しました。"; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "リンクした Apple ID アカウントが無効化されています。"; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "リーダーに予期しないエラーが発生しました。"; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "検出により返されたリーダーには IP アドレスがないため、接続できません。"; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "クーポン"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "プラグイン"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "バーコードが短すぎます"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "バーコードスキャンが部分的です"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "ネットワークリクエストに失敗しました"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "不明なスキャン済みアイテム"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "バーコードを読み取れませんでした"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "スキャンに失敗しました"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "サポートされていないアイテムタイプ"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "クーポンが適用されませんでした"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "バーコードスキャン"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "しばらくお待ちください"; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "完了"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "バーコードスキャン"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "外部スキャナーを使用してバーコードをスキャンし、お買い物カゴをすばやく作成できます。"; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "詳細はこちら。"; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "詳細については、リンクを参照してください。"; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• 「商品」>「商品情報」>「在庫」の「GTIN、UPC、EAN、ISBN」フィールドでバーコードを設定します。 "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "1:「商品」、「商品情報」、「在庫」の順に移動して、「G-T-I-N、U-P-C、E-A-N、I-S-B-N」フィールドでバーコードを設定します。"; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• アイテムリストでバーコードをスキャンして、商品をお買い物カゴに追加します。"; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "4: アイテムリストでバーコードをスキャンして、商品をお買い物カゴに追加します。"; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "スキャナーはキーボードをエミュレートするため、ソフトウェアのキーボードが表示されない場合があります (検索内など)。 キーボードアイコンをタップして、再表示します。"; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• Bluetooth バーコードスキャナーの手順を参照して HID モードを設定します。"; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "2: Bluetooth バーコードスキャナーの手順を参照して H-I-D モードを設定します。"; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• iOS Bluetooth 設定でバーコードスキャナーを接続します。"; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "3: iOS Bluetooth 設定でバーコードスキャナーを接続します。"; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "商品をタップして\n お買い物カゴに追加します"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "人気商品"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "あなたのストアを検索"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "最近の検索"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "クーポンが見つかりません"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "再読み込み"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "追加するには、POSを終了して「商品」に移動します。"; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "クーポンを作成"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "OK"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "検索をクリア"; @@ -11967,6 +11524,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "在庫なし"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "新しい注文"; @@ -12674,9 +12234,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "完了"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "ヘルプとサポート"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "了解"; @@ -13046,9 +12603,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "注文"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "購入手続き"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "削除"; @@ -13457,8 +13011,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "配送 %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "追加の処理 (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "成人の方の署名が必要 (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "成人の方の署名が必要 (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "カーボンニュートラル (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d営業日"; @@ -13478,8 +13038,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "保険 (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "土曜日の配達 (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "署名が必要 (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "署名が必要 (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "追跡"; diff --git a/WooCommerce/Resources/ko.lproj/Localizable.strings b/WooCommerce/Resources/ko.lproj/Localizable.strings index c3f54eb6c1d..f20a565c86e 100644 --- a/WooCommerce/Resources/ko.lproj/Localizable.strings +++ b/WooCommerce/Resources/ko.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 09:54:05+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ko_KR */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@(고객에게)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ 복사본"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "모바일 장치로 결제를 수락하고 카드 리더기를 주문하는 방법에 대해 %1$@"; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "도메인과 도메인 관련 조처 방법에 대해 %1$@."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "WooPayments를 통해 정보를 확인하는 방법에 대한 %1$@."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "세관 양식을 인쇄하고 이 국제 배송에 포함해야 함"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "테스트 모드로 사이트에서 실시간 카드가 사용되었습니다. 테스트 카드를 대신 사용하세요."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "네트워크 오류가 발생했습니다. 연결을 확인하고 다시 시도하세요."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "옵션 추가"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "주소"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "중단된 장바구니 복구"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "계정 설정"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "계좌 유형"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "계정 연결됨"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "변형 추가"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "도메인 추가"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "새 신용카드 추가"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "환불 가능 금액"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "결제한 금액"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Apple ID는 하나의 스토어 업그레이드에만 사용할 수 있습니다."; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "계정을 종료하는 동안 오류가 발생했습니다."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "블루투스 접근 중 오류가 발생했음 - 블루투스를 활성화하고 다시 시도하세요."; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "최근에 동일한 거래가 제출되었습니다. 계속하려면 다른 결제 수단을 시도하세요."; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "이미지 업로드 실패"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "올바르지 않은 PIN이 너무 여러 번 입력되었습니다. 다른 결제 수단 시도"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "올바르지 않은 PIN이 입력되었습니다. 다시 시도하거나 다른 결제 수단을 사용하세요."; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "구매 후 고객에 보낼 메모(선택 사항)"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "애플리케이션 로그"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "애플리케이션 이름"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "카드 리더 사용설명서"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "카드가 리더에 남아 있음 - 카드를 제거하고 다시 시도하세요."; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "카드를 너무 일찍 제거했음 - 거래를 다시 시도하세요."; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "취소"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "구\/군\/시 누락"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "도메인 신청"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "무료 도메인 신청"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Class 1 - 장난감 추진제\/안전 도화선 패키지"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "수고하셨습니다. 다 읽으셨습니다!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "구매 축하"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "축하합니다! 새 스토어 준비 완료까지 한 걸음 가까워지셨습니다."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "리더에 연결 중"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "카드 리더 연결 시간 초과 - 임박했는지 확인하고 시간을 추가한 다음에 다시 시도하세요."; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "계정에 연결 중"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "계속"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "날짜 범위"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "결제한 날짜"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "배송일"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "할인"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "할인 %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "할인 유형"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "문서"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "도메인"; - /* Country option for a site address. */ "Dominica" = "도미니카"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "완료"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "피드백을 보냈습니다!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "수수료"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "변형을 가져오는 중…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "비밀번호를 잊으셨나요?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "양식 유효성 검사 오류"; - /* Next web page */ "Forward" = "전달"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "무료 평가판"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "첫해 무료"; - /* Country option for a site address. */ "French Guiana" = "프랑스령 기아나"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "대면 결제"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "앱 내 구매"; - /* Application's Inactive State */ "Inactive" = "비활성"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "삽입"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "카드 삽입"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "가로 눈금자 삽입"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "링크 삽입"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "카드 삽입 또는 긋기"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "결제할 카드 삽입"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "라트비아"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Wormholy 디버그 시작"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "스토어 시작"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "모잠비크"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "여러 비접촉 카드 감지됨"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "여러 스토어"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "아직 캠페인 없음"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "카드 리더가 연결되지 않음 - 리더를 연결하고 다시 시도하세요."; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "선택된 카테고리 없음"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "연결 문제 없음"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "인터넷에 연결되지 않음 - 인터넷에 연결하고 다시 시도하세요."; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "쿠폰을 찾을 수 없음"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "고객에게 남길 메모"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "메모"; - /* Default message for empty media picker */ "Nothing to show" = "표시할 내용 없음"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "결제 총액"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "한도가 부족하여 결제가 거부되었습니다. 다른 결제 수단 시도"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "결제 실패"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "결제 수단"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "결제 성공"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "알 수 없는 사유로 결제가 거부되었습니다. 다른 결제 수단 시도"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "불특정한 사유로 결제가 거부되었습니다. 다른 결제 수단 시도"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "리더를 충전하세요."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "스마트폰이 iOS 16.7 이상을 실행하는 iPhone XS 이상이라는 요구 사항을 충족하는지 확인하세요. 지원되는 기기에서 이 오류가 표시되면 지원팀에 문의하세요."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Apple ID가 유효한지 확인한 다음에 다시 시도하세요. Apple의 서비스 약관에 동의하려면 유효한 Apple ID가 필요합니다."; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "브라우저에서 관리자 페이지를 통해 젯팩을 연결하거나 지원을 문의하세요."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "도움이 필요한 경우 지원팀에 문의하세요."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "지원팀에 문의하세요. iPhone에서 눌러서 결제를 시작하는 중 오류가 발생했습니다."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "상점 관리자 또는 앱을 사용하는 관리자로 사이트에 초대받으려면 사이트 소유자에게 문의하세요."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "패키지를 선택하세요."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "iPhone에서 눌러서 결제를 사용하려면 이 기기에서 iCloud에 로그인하세요."; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "나중에 다시 시도해 보세요. 또는 당사에 연락하면 기꺼이 도와드리겠습니다!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "다시 시도해 보세요. 또는 당사에 연락하면 기꺼이 도와드리겠습니다!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "다시 시도하고, iPhone에서 눌러서 결제를 사용할 수 있도록 Apple의 서비스 약관에 동의하세요."; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "다시 시도하거나 지원팀에 도움을 문의하세요."; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "다시 시도해 보세요. WP 관리자를 통해 젯팩을 설치할 수도 있습니다."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "다른 쿼리를 시도하세요."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "결제를 계속 수락하려면 리더 소프트웨어를 업데이트하세요."; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "가격이 업데이트되었습니다."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "주요 사이트 주소"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "인쇄"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "주문 환불 사유"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "영수증"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "%1$@에서 받은 영수증"; - /* No comment provided by engineer. */ "Recurring payments'" = "반복 결제'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "쿠폰 코드 재생성"; -/* Title of the domain contact info form. */ -"Register domain" = "도메인 등록"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "정상 가격"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "속성 제거"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "카드 제거"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "할인 제거"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "속성 이름 변경"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "%1$@에 갱신"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "사진 바꾸기"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "업데이트 후 다시 시도"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "카드 재시도"; - /* Action button to check site's connection again. */ "Retry Connection" = "연결 재시도"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS 전송됨"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "제안"; - /* Button label to open web page in Safari */ "Safari" = "사파리"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "쿠폰 검색"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "도메인 검색"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "도메인 검색"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "기존 고객 검색 또는"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "%@에 배송됨"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "일부 이메일 주소가 유효하지 않습니다."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "유효성 검사 중 약간 예기치 않은 오류가 발생했습니다. 필드를 확인하고 다시 시도하세요."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "다른 사람"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "죄송합니다. 이 결제는 처리할 수 없습니다."; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "죄송합니다. 이 결제는 처리할 수 없습니다."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "죄송합니다. 이 환불은 취소할 수 없습니다."; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "죄송합니다. 이 환불은 처리할 수 없습니다."; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "죄송합니다. 사용자명은 (a-z)의 글자로 되어야합니다!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "죄송합니다. 활성 결제를 찾을 수 없어서 이 조치를 완료할 수 없습니다."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "죄송합니다. 리더에 연결할 수 없습니다. 다시 시도하세요."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "죄송합니다. iPhone의 Tap to Pay를 시작할 수 없습니다. 연결을 확인하고 다시 시도하세요."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "구독"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "제품 및 패키지 무게 합계"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "요약"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "요약: 주문 #%1$@"; - /* Country option for a site address. */ "Suriname" = "수리남"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "스웨덴"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "카드 긋기"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "스토어 전환"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "클립보드에 시스템 상태 보고서 복사됨"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "시스템 테스트 카드는 결제에 사용할 수 없습니다. 다른 결제 수단 시도"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "상투메 프린시페"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "iPhone에서 눌러서 결제"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "전화 통화 중에는 iPhone에서 눌러서 결제를 사용할 수 없습니다. 통화를 마치고 다시 시도하세요."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "iPhone의 Tap to Pay가 준비되었습니다."; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "세금 상태"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "세금"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "서비스 약관"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "시작할 준비가 되었으니 앱 내 구매를 테스트해 보세요."; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "출시 준비가 끝나면 주문 애드온 테스트해 보기"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "%1$@ 확장 기능이 스토어에 설치되어 있지만, 직접 결제를 위해 업데이트해야 합니다. 최신 버전으로 업데이트하세요."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "예기치 않게 카드 리더에서 블루투스 연결이 해제되었습니다."; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Google 계정 \"%@\"이(가) 워드프레스닷컴의 계정과 일치하지 않습니다."; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "주문을 로드할 수 없습니다!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "금액이 기본 제공 리더에서 지원되지 않습니다. 하드웨어 리더 또는 다른 결제 수단을 시도하세요."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "NFC 칩이 비활성화되어서 iPhone에서 눌러서 결제를 앱에서 활성화할 수 없습니다. 자세한 내용은 지원팀에 문의하세요."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "속성을 제거할 수 없습니다."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "속성을 저장할 수 없습니다."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "카드에서 이 통화가 지원되지 않습니다. 다른 결제 수단 시도"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "카드에서 이 구매 유형이 지원되지 않습니다. 다른 결제 수단 시도"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "카드가 만료되었습니다. 다른 결제 수단 시도"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "카드 또는 카드 계좌가 유효하지 않습니다. 다른 결제 수단 시도"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "카드 리더에서 다른 명령을 실행 중임 - 다시 시도하세요."; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "카드 리더가 이 애플리케이션과 호환되지 않음 - 애플리케이션을 업데이트하거나 다른 리더를 사용해 보세요."; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "카드 리더 세션이 만료되었음 - 카드 리더 연결을 해제한 다음에 다시 연결하고 다시 시도하세요."; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "카드 리더 소프트웨어가 오래되었음 - 프로세스를 시도하기 전에 카드 리더 소프트웨어를 업데이트하세요."; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "카드 리더 소프트웨어가 오래되었음 - 프로세스를 시도하기 전에 카드 리더 소프트웨어를 업데이트하세요."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "카드 리더 소프트웨어가 오래되습니다. 환불 처리를 시도하기 전에 카드 리더 소프트웨어를 업데이트하세요."; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "통신 오류로 인해 카드 리더 소프트웨어 업데이트에 실패했음 - 다시 시도하세요."; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "업데이트 서버에 문제가 있어서 카드 리더 소프트웨어 업데이트에 실패했음 - 다시 시도하세요."; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "예기치 않게 카드 리더 소프트웨어 업데이트에 실패했음 - 다시 시도하세요."; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "카드 리더 소프트웨어 업데이트가 완료되기 전에 중단되었음 - 다시 시도하세요."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "카드 리더에서 카드가 거부되었음 - 다른 결제 수단을 시도하세요."; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "카드 리더에서 카드가 거부되었음 - 다른 결제 수단을 시도하세요."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "카드가 카드 리더에서 거부되었습니다. 다른 환불 수단을 사용해 보세요."; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "카드가 iPhone 카드 리더에서 거부되었습니다. 다른 결제 수단을 시도하세요."; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "결제 처리기에서 카드가 거부되었음 - 다른 결제 수단을 시도하세요."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "이 서버의 인증서가 올바르지 않습니다. “%@”(으)로 사칭한 서버에 연결 중일 수 있습니다. 기밀 정보가 노출될 수 있습니다.\n\n그래도 인증서를 신뢰하시겠어요?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "쿠폰 코드는 비워둘 수 없음"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "통화가 iPhone에서 눌러서 결제에서 지원되지 않습니다. 하드웨어 리더 또는 다른 결제 수단을 사용해 보세요."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "주문이 완료되면 고객에게 이메일이 수신됩니다."; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "구매한 도메인에서는 사용자가 **%1$@**(으)로 리디렉팅됩니다."; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "구매한 도메인에서는 사용자가 현재 준비 중인 도메인으로 리디렉팅됩니다."; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "구매한 도메인에서는 사용자가 기본 주소로 리디렉팅됩니다."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "iPhone의 Tap to Pay를 처음 사용할 때 Apple의 서비스 약관에 동의하라는 메시지가 표시될 수 있습니다."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "결제 금액이 표시된 카드에서 허용되지 않습니다. 다른 결제 수단을 시도하세요."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "결제 처리업체에서 결제를 처리할 수 없습니다."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "결제 카드가 너무 일찍 제거됐습니다. 다시 시도하세요."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "결제 수단에서 자동 환불을 지원하지 않습니다. 고객에게 금액을 수동으로 송금하여 환불을 완료하세요."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "리더에서 결제가 취소되었습니다."; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "결제가 취소되었습니다."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "결제 처리업체에서 환불을 처리할 수 없습니다."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "요청 시간 초과 - 다시 시도하세요."; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "애플리케이션 비밀번호 생성 요청이 인증되지 않았습니다."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "이 제품의 재고 수량입니다. 편집 가능합니다."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "스토어 주소가 불완전하거나 누락되었습니다. 계속하기 전에 우편번호를 업데이트하세요."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "스토어 우편번호가 유효하지 않거나 누락되었습니다. 계속하기 전에 우편번호를 업데이트하세요."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "예기치 않게 시스템에서 명령이 취소되었음 - 다시 시도하세요."; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "시스템에서 예기치 않은 소프트웨어 오류가 발생했음"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "지금은 사이트에 대한 시스템 상태 보고서를 가져올 수 없습니다. 다시 시도해 보세요."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "거래 우편번호와 카드 우편번호가 일치하지 않습니다. 다른 결제 수단 시도"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "평가판 결제를 시작할 수 없습니다. 다시 시도하거나 문제가 지속되면 지원팀에 문의하세요."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "결제를 받는 동안 오류가 발생했습니다."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "iPhone에서 눌러서 결제를 사용하려고 준비하는 중 오류가 발생했습니다. 다시 시도하세요."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "타사 라이선스"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "이 앱에서는 관리자와 상점 관리자만 사용자 역할이 지원됩니다. 역할을 업그레이드하려면 스토어 소유자에게 문의하세요."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "이 카드는 PIN 코드가 필요하여 처리할 수 없습니다. 다른 결제 수단 시도"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "스토어에 몇 가지 추가 보안 단계가 설정되었기 때문일 수 있습니다."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "이 아이템은 현재 패키지 %1$d: %2$@에 있습니다. 해당 아이템을 어디로 이동하시겠어요?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "결제가 이미 완료되었습니다. 주문 상세 정보를 확인해 보세요."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "이 제품을 로드할 수 없음"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "다른 주소 시도"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "다른 카드 시도"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "다른 읽기 방법 시도"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "다시 권한 부여 시도"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "WP 관리자 페이지에서 다시 시도"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "다른 결제 수단 시도"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "스토어에 접근하려면 다시 연결해 보세요."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "사이트 주소로 시도"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "다시 시도하면 성공할 수 있습니다. 아니면 다른 결제 수단을 시도하세요."; - /* Country option for a site address. */ "Tunisia" = "튀니지"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "투발루"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "스토어의 이름 입력"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "내용물 유형"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "연결할 수 없음"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "블루투스에 접근할 수 없음 - 블루투스를 활성화하고 다시 시도하세요."; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "위치 서비스에 접근할 수 없음 - 위치 서비스를 활성화하고 다시 시도하세요."; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "쿠폰을 추가할 수 없습니다."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "%1$d번 주문의 상태를 변경할 수 없음"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "리더와 통신할 수 없음 - 다시 시도하세요."; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "카드 리더에 연결할 수 없음 - 카드 리더가 이미 사용 중"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "리더에 연결할 수 없음 - 다른 리더가 이미 연결되었음"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "리더에 연결할 수 없음 - 리더 배터리 잔량이 너무 부족함 - 리더를 충전하고 다시 시도하세요."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "새 주문을 생성할 수 없음"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "리뷰를 %@(으)로 표시할 수 없습니다."; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "연결된 리더로 요청을 수행할 수 없음 - 지원되지 않는 기능 - 다른 리더로 다시 시도하세요."; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "소프트웨어 요청을 수행할 수 없음 - 이 애플리케이션을 업데이트하고 다시 시도하세요."; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "데이터가 유효하지 않아서 결제를 처리할 수 없음 - 다시 시도하세요."; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "결제를 처리할 수 없습니다. 주문 총액이 청구할 수 있는 최소 금액(%1$@) 미만입니다."; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "결제를 처리할 수 없습니다. 마지막 주문 상세 정보를 가져올 수 없었습니다. 네트워크 연결을 확인하고 다시 시도하세요. 근원적인 오류: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "카드를 읽을 수 없음 - 시스템 시간 초과 - 다시 시도하세요."; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "삽입한 카드를 읽을 수 없음 - 카드를 제거하고 다시 삽입해 보세요."; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "그은 카드를 읽을 수 없음 - 다시 그어 보세요."; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "해당 URL에서 워드프레스 사이트를 읽을 수 없습니다. '더 많은 도움이 필요하세요?'를 눌러 FAQ를 보세요."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "변경 사항을 저장할 수 없습니다. 다시 시도하세요."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "카드 리더를 검색할 수 없음 - Bluetooth 절전 모드가 이 기기에서는 지원되지 않음 - 다른 기기를 사용해 보세요."; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "카드 리더를 검색할 수 없음 - Bluetooth 시간 초과 - 다시 시도하세요."; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "고객 상세 정보를 설정할 수 없습니다."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "주소를 업데이트할 수 없습니다."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "카드 리더 소프트웨어를 업데이트할 수 없음 - 리더 배터리 잔량이 부족합니다."; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "가격을 업데이트할 수 없음"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "배송 주소를 자동으로 확인할 수 없었습니다. Apple Maps에서 보며 주소가 올바른지 확인하세요."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "결제를 재시도할 수 없었습니다. 다시 시작해 주세요."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "지금은 회원님에게 이메일을 보낼 수 없습니다. 나중에 다시 시도하세요."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "웹 대시보드에서 상품 애드온을 편집하실 수 있습니다."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "메뉴 > 설정에서 도메인 설정을 찾을 수 있습니다."; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "빠르고 쉽게 관리할 수 있습니다."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "이 스토어의 플러그인을 관리할 권한이 없습니다."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "이용 중인 요금제에 1년 무료 도메인 등록이 포함되어 있습니다."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "새 주문이 있습니다! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "제품을 비밀번호로 보호하려면 비밀번호를 추가해야 합니다."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "iPhone에서 눌러서 결제를 사용하려면 잠금 화면 패스코드를 설정하셔야 합니다."; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "DudaMobile에서 설치한 모바일 플러그인으로 인해 앱이 블로그에 연결할 수 없습니다."; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "해당 이메일은 워드프레스닷컴 계정에서 사용되지 않습니다."; -/* Title of the free domain view. */ -"Your free store address" = "무료 스토어 주소"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "무료 평가판이 종료되었습니다."; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Safari에서 사이트를 방문하면 화면 위쪽의 표시줄에 사이트 주소가 표시됩니다."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "사이트가 설정되고 있습니다. 도메인이 작동하기 시작하려면 30분 정도 걸릴 수 있습니다."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "사이트 도메인"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "사이트가 응답하는 데 오랜 시간이 걸립니다."; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "모든 캠페인 보기"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "블루투스에 접근하여 카드 리더에 연결하는 권한이 이 앱에 필요합니다. 시스템의 설정 앱의 Woo 섹션에서 권한을 부여할 수 있습니다."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "블루투스 리더가 이미 다른 기기와 페어링되었습니다. 이 기기에 연결하려면 리더의 페어링을 재설정해야 합니다."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "블루투스 연결에 유효하지 않은 위치 ID가 있습니다."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "블루투스에 접근하여 카드 리더에 연결하는 권한이 이 앱에 필요합니다. 시스템의 설정 앱의 Woo 섹션에서 권한을 부여할 수 있습니다."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "이 기기의 페어링 정보가 리더에서 제거되었습니다. iOS 설정에서 리더를 해제해 보세요."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "블루투스 리더 연결이 해제되었으며 다시 연결하려는 중입니다."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "작업이 이미 완료되어서 취소할 수 없습니다."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "카드 살짝 밀기 기능을 사용할 수 없습니다."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "지원팀에 문의하세요. 운영 체제의 명령 실행이 허용되지 않습니다."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "이 작업에 성공하려면 카드 소유자가 동의를 제공해야 합니다."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "연결 토큰을 가져오는 중 오류가 발생했습니다."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "연결 토큰 요청 시간을 초과했습니다."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "지원팀에 문의하세요. 기능을 사용할 수 없습니다."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "테스트 모드에서는 실시간 모드 결제 전달이 금지되어 있습니다."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "실시간 모드에서는 테스트 모드 결제 전달이 금지되어 있습니다."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "오프라인 모드에서는 상호작용이 지원되지 않습니다."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "알 수 없는 네트워크 오류가 발생했습니다."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "인터넷을 통한 리더 연결 시간을 초과했습니다. 기기와 리더의 WiFi 네트워크가 동일하고 리더가 WiFi 네트워크에 연결되었는지 확인하세요."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "지원팀에 문의하세요. 클라이언트 비밀번호가 유효하지 않습니다."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "지원팀에 문의하세요. 검색 구성이 유효하지 않습니다."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "위치 ID가 유효하지 않습니다."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "업데이트할 리더가 유효하지 않습니다."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "지원팀에 문의하세요. 환불 파라미터가 유효하지 않습니다."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "지원팀에 문의하세요. 필수 파라미터가 유효하지 않습니다."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "제시된 결제 수단의 데이터를 리더에서 읽지 못했습니다. 이 오류가 여러 차례 발생하면 리더에 결함이 있을 수 있으니 지원팀에 문의하세요."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "지원팀에 문의하세요. 결제 의도가 누락되었습니다."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "지원팀에 문의하세요. 환불 결제 수단이 누락되었습니다."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "지원팀에 문의하세요. 설정 의도가 누락되었습니다."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "오프라인 상태에서 결제를 확정 중인데 카드가 만료된 것으로 식별되었습니다."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "결제 수령 및 확정 시 네트워크 연결이 지속되는지 확인하세요."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "오프라인 상태에서는 실시간 모드로 테스트 카드가 사용됩니다."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "오프라인 상태에서 결제를 확정 중인데 카드의 인증에 실패했습니다."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "오프라인 모드에서는 온라인 PIN이 지원되지 않습니다. 다른 카드로 결제를 다시 시도하세요."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "제한 시간 내에 카드가 제시되지 않았습니다."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "리더 연결 구성이 유효하지 않습니다."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "결제하기에 필요한 암호화 키가 리더에 누락되었으며, 연결이 해제되고 다시 부팅되었습니다. 리더에 다시 연결하여 키 재설치를 시도하세요. 오류가 계속되면 지원팀에 문의하세요."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "업데이트가 만료되어서 리더 소프트웨어 업데이트에 실패했습니다. 리더 연결을 해제하고 다시 연결하여 새 업데이트를 찾아보세요."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "지원팀에 문의하세요. 리더 티핑 파라미터가 유효하지 않습니다."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "환불되지 않았습니다. 고객의 은행 또는 카드 발급사에서 올바르게 처리할 수 없었습니다(예: 종료된 은행 계좌 또는 카드의 문제)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "지원팀에 문의하세요. Stripe API 응답 디코딩 중 오류가 발생했습니다."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "연결된 Apple ID 계정이 비활성화되었습니다."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "리더에서 예기치 않은 오류가 발생했습니다."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "검색에서 반환된 리더에 IP 주소가 없으며 연결할 수 없습니다."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "쿠폰"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "플러그인"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "바코드가 너무 짧음"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "부분적인 바코드 스캔"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "네트워크 요청 실패"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "스캔된 알 수 없는 아이템"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "바코드를 읽을 수 없음"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "스캔 실패"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "지원되지 않는 아이템 유형"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "쿠폰이 적용되지 않음"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "바코드 스캔 중"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "기다려 주세요."; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "완료"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "바코드 스캔 중"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "외부 스캐너로 바코드를 스캔하여 빠르게 장바구니를 만들 수 있습니다."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "더 많은 상세 정보"; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "더 많은 상세 정보 링크입니다."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• 상품 > 상품 상세 정보 > 재고의 \"GTIN, UPC, EAN, ISBN\" 필드에서 바코드를 설정합니다. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "첫째: 상품, 상품 상세 정보, 재고로 차례로 이동하여 \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" 필드에서 바코드를 설정합니다."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• 아이템 목록에 있는 동안 바코드를 스캔하여 장바구니에 상품을 추가합니다."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "넷째: 아이템 목록에 있는 동안 바코드를 스캔하여 장바구니에 상품을 추가합니다."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "스캐너에서는 키보드를 에뮬레이트하므로 소프트웨어 키보드가 표시되지 않을 때(예: 검색 중)도 있습니다. 다시 표시하려면 키보드 아이콘을 누릅니다."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• 블루투스 바코드 스캐너의 지침을 참조하여 HID 모드를 설정합니다."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "둘째: 블루투스 바코드 스캐너의 지침을 참조하여 H-I-D 모드를 설정합니다."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• iOS 블루투스 설정에서 바코드 스캐너를 연결합니다."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "셋째: iOS 블루투스 설정에서 바코드 스캐너를 연결합니다."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "상품을 눌러 \n 장바구니에 추가"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "인기 상품"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "스토어 검색"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "최근 검색 항목"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "쿠폰을 찾을 수 없음"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "새로 고침"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "단순 상품을 추가하려면 POS를 종료하고 상품으로 이동하세요."; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "쿠폰 생성"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "확인"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "검색 지우기"; @@ -11967,6 +11524,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "재고 없음"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "새 주문"; @@ -12674,9 +12234,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "완료"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "도움말 및 지원"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "확인"; @@ -13046,9 +12603,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "주문"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "체크아웃"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "무시"; @@ -13457,8 +13011,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "배송 %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "추가 처리(%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "성인 서명 필수(+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "성인 서명 필수(%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "탄소 중립(%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d영업일"; @@ -13478,8 +13038,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "보험(%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "토요일 배송(%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "서명 필수(+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "서명 필수(%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "추적"; diff --git a/WooCommerce/Resources/nl.lproj/Localizable.strings b/WooCommerce/Resources/nl.lproj/Localizable.strings index 7ba73163fd7..73ed5a3993a 100644 --- a/WooCommerce/Resources/nl.lproj/Localizable.strings +++ b/WooCommerce/Resources/nl.lproj/Localizable.strings @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (aan klant)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ kopie"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ over het aannemen van betalingen met je mobiele apparaat en het bestellen van kaartlezers."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ over domeinen en hoe je domeingerelateerde acties kunt ondernemen."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ over het verifiëren van je informatie met Woo Payments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Er moet een douaneformulier worden afgedrukt en worden bijgevoegd bij deze internationale verzending"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Er werd een live kaart gebruikt op een site in de testmodus. Gebruik in plaats daarvan een testkaart."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Er is een netwerkfout opgetreden. Controleer je verbinding en probeer het nogmaals."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "OPTIES TOEVOEGEN"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ADRES"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Verlaten winkelwagen herstellen"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Account instellingen"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Type account"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Verbonden account"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Variatie toevoegen"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Voeg een domein toe"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Een nieuwe creditcard toevoegen"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Bedrag dat wordt terugbetaald"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Betaald bedrag"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Een Apple-ID kan maar gebruikt worden voor het upgraden van één winkel"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Fout bij het sluiten van account."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Er is een fout opgetreden bij het openen van Bluetooth - schakel Bluetooth in en probeer het opnieuw"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Er is recent een identieke transactie ingediend. Als je door wilt gaan, probeer een andere betaalmethode"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Uploaden van een afbeelding mislukt"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Er is te vaak een onjuiste pincode ingevoerd. Probeer een andere betaalmethode"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Er is een onjuiste pincode ingevoerd. Probeer het opnieuw of probeer een andere betaalmethode"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Een optionele opmerking om naar de klant te sturen na aankoop"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Toepassingslogs"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Toepassingsnaam"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1246,12 +1206,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Handleidingen kaartlezer"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Kaart is in de lezer gelaten - verwijder de kaart en voer hem opnieuw in"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Kaart is te vroeg verwijderd - probeer de transactie opnieuw"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Annuleren"; @@ -1370,12 +1324,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Stad ontbreekt"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Domein ophalen"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Claim je gratis domein"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Klasse 1 - Speelgoeddrijfgas\/veiligheidslont-pakket"; @@ -1553,9 +1501,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Gefeliciteerd, je hebt alles gelezen!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Gefeliciteerd met je aankoop"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Gefeliciteerd! Je bent een stap dichter bij het voltooien van je nieuwe winkel."; @@ -1627,9 +1572,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Er wordt verbinding gemaakt met lezer"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Er heeft een time-out plaatsgevonden tijdens het verbinden met de kaartlezer - controleer dat de kaartlezer nabij en opgeladen is en probeer het dan opnieuw"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Je account koppelen"; @@ -1686,7 +1628,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Doorgaan"; @@ -2005,9 +1946,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Datumbereik"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Datum van betaling"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Datum van verzending"; @@ -2088,9 +2026,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Korting"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Korting %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Kortingstype"; @@ -2178,9 +2113,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Documenten"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domeinen"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2221,14 +2153,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Klaar"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2781,9 +2710,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Feedback verzonden!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Toeslagen"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Variaties ophalen..."; @@ -2876,9 +2802,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Wachtwoord vergeten?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Validatiefoutformulier"; - /* Next web page */ "Forward" = "Doorsturen"; @@ -2891,9 +2814,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Gratis proefabonnement"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Het eerste jaar gratis"; - /* Country option for a site address. */ "French Guiana" = "Frans-Guyana"; @@ -3309,9 +3229,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Fysieke betalingen"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "In-app aankopen"; - /* Application's Inactive State */ "Inactive" = "Inactief"; @@ -3353,18 +3270,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Invoegen"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Voer een kaart in"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Horizontale liniaal invoeren"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Link invoeren"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Veeg een kaart of voer er een in"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Voer kaart in om te betalen"; @@ -3658,6 +3569,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Letland"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Wormholy-debug starten"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Lanceer je winkel"; @@ -3672,7 +3586,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4149,9 +4062,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambique"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Meerdere contactloze kaarten gedetecteerd"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Meerdere winkels"; @@ -4290,9 +4200,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Nog geen campagnes"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Er is geen kaartlezer verbonden - verbind een kaartlezer en probeer het opnieuw"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Geen categorie geselecteerd"; @@ -4302,9 +4209,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Geen verbindingsproblemen"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Geen verbinding met het internet - verbind met het internet en probeer het opnieuw"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Geen waardebonnen gevonden"; @@ -4424,9 +4328,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Bericht aan klant"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Notities"; - /* Default message for empty media picker */ "Nothing to show" = "Niets te tonen"; @@ -4795,14 +4696,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Totaalbedrag betaling"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Betaling geweigerd vanwege onvoldoende saldo. Probeer een andere betaalmethode"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Betaling mislukt"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Betaalmethode"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4811,12 +4708,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Betaling gelukt"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Betaling geweigerd om onbekende reden. Probeer een andere betaalmethode"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Betaling geweigerd om niet nader gespecificeerde reden. Probeer een andere betaalmethode"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4890,12 +4781,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Laad de lezer op"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Controleer of je telefoon voldoet aan de volgende vereisten: iPhone XS of nieuwer met iOS 16.7 of nieuwer. Neem contact op met de klantenservice als deze fout zich blijft voordoen op een ondersteund apparaat."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Controleer of je Apple-ID geldig is en probeer het nog eens. Een geldig Apple-ID is nodig om akkoord te gaan met de servicevoorwaarden van Apple"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Maak verbinding met Jetpack via je beheerderspagina in een browser of neem contact op met de klantenservice."; @@ -4906,9 +4791,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Neem contact op met ondersteuning voor assistentie."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Er is een fout opgetreden bij het starten van Tap to Pay on iPhone, neem contact op met de klantenservice"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Neem contact op met de eigenaar van de site voor een uitnodiging om als winkelmanager of beheerder de app te gebruiken."; @@ -4999,9 +4881,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Selecteer een pakket"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Meld je op dit apparaat aan bij iCloud om Tap to Pay on iPhone te gebruiken"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Probeer het later opnieuw of neem contact met ons op zodat wij je kunnen helpen."; @@ -5014,9 +4893,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Probeer het opnieuw of neem contact met ons op zodat wij je kunnen helpen."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Probeer het opnieuw en ga akkoord met de servicevoorwaarden van Apple, zodat je Tap to Pay on iPhone kunt gebruiken"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Probeer het nog eens of neem contact met ons op voor ondersteuning"; @@ -5029,9 +4905,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Probeer het nog eens. Of je kunt Jetpack installeren via je WP-Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Probeer een andere vraag"; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Werk de software van je lezer bij zodat je betalingen kunt blijven aannemen"; @@ -5166,9 +5039,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Prijzen succesvol bijgewerkt."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Primair site adres"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Afdrukken"; @@ -5455,13 +5325,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Reden voor terugbetalen bestelling"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Factuur"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Kwitantie van %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Herhaaldelijke betalingen"; @@ -5538,9 +5404,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Couponcode opnieuw genereren"; -/* Title of the domain contact info form. */ -"Register domain" = "Registreer domein"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Reguliere prijs"; @@ -5563,9 +5426,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Eigenschap verwijderen"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Kaart verwijderen"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Korting verwijderen"; @@ -5606,9 +5466,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Eigenschap een nieuwe naam geven"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Vernieuwt op %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Foto vervangen"; @@ -5695,9 +5552,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Opnieuw proberen na bijwerken"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Probeer de kaart opnieuw"; - /* Action button to check site's connection again. */ "Retry Connection" = "Opnieuw verbinding maken"; @@ -5760,9 +5614,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "Sms verzonden"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "SUGGESTIES"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5902,12 +5753,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Zoek coupons"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Domeinen zoeken"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Zoek naar een domein"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Een bestaande klant zoeken op"; @@ -6160,8 +6005,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Verzonden op %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6322,9 +6166,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Een e-mailadres is niet geldig."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Er heeft zich een onverwachte fout voorgedaan bij de validatie. Controleer de velden en probeer het opnieuw."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Iemand"; @@ -6392,12 +6233,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Deze betaling kon niet worden verwerkt"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Deze betaling kon niet worden verwerkt."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Deze restitutie kon helaas niet worden geannuleerd"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Deze restitutie kon niet worden verwerkt"; @@ -6410,12 +6245,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Sorry, de gebruikersnamen moeten ook de letter (a-z) bevatten!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Excuses, we konden deze actie niet voltooien omdat er geen actieve betaling is gevonden."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Sorry, we kunnen geen verbinding maken met de lezer. Probeer het nog eens."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Sorry, we konden Tap to Pay voor iPhone niet opstarten. Controleer je verbinding en probeer het nogmaals."; @@ -6533,7 +6362,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Abonnementen"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6550,12 +6378,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Totaalaantal producten en gewicht van pakket"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Overzicht"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Samenvatting: Bestelling #%1$@"; - /* Country option for a site address. */ "Suriname" = "Suriname"; @@ -6568,9 +6390,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Zweden"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Veeg de kaart"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Winkel wijzigen"; @@ -6616,9 +6435,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Systeemstatusrapport gekopieerd naar klembord"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Er mag niet worden betaald met systeemtestkaarten. Probeer een andere betaalmethode"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "Sao Tomé en Principe"; @@ -6674,9 +6490,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Tik om te betalen op iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tap to Pay on iPhone kan niet worden gebruikt tijdens een telefoongesprek. Probeer het opnieuw na je gesprek."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Tap to Pay on iPhone is gereed"; @@ -6774,8 +6587,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Status belasting"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Belastingen"; /* Title for the tax educational dialog */ @@ -6799,9 +6611,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Servicevoorwaarden"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Probeer in-app aankopen uit terwijl we ons voorbereiden op het uitbrengen van de versie"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Test onze Add-ons bestelling bekijken terwijl we ons voorbereiden op de lancering"; @@ -6856,84 +6665,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "De %1$@-extensie is geïnstalleerd in je winkel, maar moet worden bijgewerkt voor fysieke betalingen. Werk deze bij naar de meest recente versie."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "De Bluetooth-verbinding met de kaartlezer is onverwachts verbroken"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Het Google-account \"%@\" komt niet overeen met een account op WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "De bestelling kon niet worden geladen!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Het bedrag wordt niet ondersteund voor Tap to Pay on iPhone. Probeer het met een fysieke lezer of een andere betaalmethode."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "De app kan Tap to Pay on iPhone niet inschakelen omdat de NFC-chip is uitgeschakeld. Neem contact op met ondersteuning voor meer informatie."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "De eigenschap kon niet worden verwijderd."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "De eigenschap kon niet worden opgeslagen."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "De kaart ondersteunt deze valuta niet. Probeer een andere betaalmethode"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "De kaart ondersteunt dit type aankoop niet. Probeer een andere betaalmethode"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "De kaart is vervallen. Probeer een andere betaalmethode"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "De kaart of het account van de kaart is ongeldig. Probeer een andere betaalmethode"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "De kaartlezer voert al een andere opdracht uit - probeer het opnieuw"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "De kaartlezer is niet compatibel met deze applicatie - werk de applicatie bij of probeer een andere lezer"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "De sessie van de kaartlezer is verlopen - probeer het opnieuw nadat je de verbinding hebt verbroken en de kaartlezer opnieuw hebt verbonden"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "De software van de kaartlezer is verouderd - werk de software van de kaartlezer bij voordat je een betaling probeert te verwerken"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "De software van de kaartlezer is verouderd - werk de software van de kaartlezer bij voordat je een betaling probeert te verwerken."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "De software van de restitutie verouderd - werk de software van de kaartlezer bij voordat je een restitutie probeert te verwerken"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "De software-update van de kaartlezer is mislukt vanwege een communicatiefout - probeer het opnieuw"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "De software-update van de kaartlezer is mislukt vanwege een probleem met de updateserver - probeer het opnieuw"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "De software-update van de kaartlezer is onverwachts mislukt - probeer het opnieuw"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "De software-update van de kaartlezer is onderbroken voordat deze kon worden voltooid - probeer het opnieuw"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "De kaart is geweigerd door de kaartlezer - probeer een andere betaalmethode"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "De kaart is geweigerd door de kaartlezer - probeer een andere betaalmethode."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "De kaart is geweigerd door de kaartlezer - probeer een andere restitutiemethode"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "De kaart is geweigerd door de kaartlezer van de iPhone - probeer een andere betaalmethode"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "De kaart is geweigerd door de betalingsverwerker - probeer een andere betaalmethode."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Het certificaat voor deze server is ongeldig. Je maakt mogelijk verbinding met een server die zich voordoet als “%@”, wat je vertrouwelijke informatie in gevaar kan brengen.\n\nWil je het certificaat toch vertrouwen?"; @@ -6946,39 +6704,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "De couponcode kan niet leeg zijn"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "De valuta wordt niet ondersteund voor Tap to Pay on iPhone. Probeer het met een fysieke lezer of een andere betaalmethode."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "De klant ontvangt een e-mail zodra de bestelling is afgerond"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Het aangeschafte domein zal gebruikers doorsturen naar **%1$@**."; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Het aangeschafte domein zal gebruikers doorsturen naar het huidige staging-domein."; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Het aangeschafte domein zal gebruikers doorsturen naar je primaire adres."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "De eerste keer dat je Tap to Pay on iPhone gebruikt, kan je worden gevraagd om akkoord te gaan met de servicevoorwaarden van Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Het betalingsbedrag is niet toegestaan voor de getoonde kaart. Probeer een andere betaalmethode."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "De betaling kan niet worden verwerkt door de betalingsverwerker."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "De betaalkaart is te snel verwijderd, probeer het opnieuw."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "De betaalmethode ondersteunt geen automatische terugbetalingen. Voltooi de terugbetaling door het bedrag handmatig over te maken naar de klant."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "De betaling is geannuleerd op de lezer"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "De betaling was geannuleerd."; @@ -7009,9 +6746,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "De restitutie kan niet worden verwerkt door de betalingsverwerker."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Er heeft een time-out plaatsgevonden tijdens het verzoek - probeer het opnieuw"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Je verzoek om een applicatiewachtwoord te genereren, is niet ingewilligd."; @@ -7051,24 +6785,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "De voorraad van dit product. Bewerkbaar."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Het adres van de winkel is niet compleet of ontbreekt. Werk het bij voordat je verder gaat."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "De postcode van de winkel is ongeldig of ontbreekt. Werk het bij voordat je verder gaat."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Het systeem heeft de opdracht onverwachts geannuleerd - probeer het opnieuw"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Het systeem ondervindt een onverwachte softwarefout"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Het systeemstatusrapport voor je site kan momenteel niet opgehaald worden. Probeer het nog eens."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "De postcode van de transactie en de postcode van de kaart komen niet overeen. Probeer een andere betaalmethode"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "De proefbetaling kon niet worden gestart. Probeer het opnieuw of neem contact op met de ondersteuning als het probleem aanhoud."; @@ -7160,9 +6879,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Er is een fout opgetreden bij het innen van de betaling."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Er is een fout opgetreden bij het voorbereiden van Tap to Pay on iPhone voor gebruik. Probeer het nog eens."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Licenties van derden"; @@ -7188,9 +6904,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Deze app ondersteunt alleen de gebruikersrollen Beheerder en Winkelmanager. Neem contact op met je winkeleigenaar voor het upgraden van je rol."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Deze kaart vereist een PIN-code en kan daarom niet worden verwerkt. Probeer een andere betaalmethode"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Misschien komt dit doordat er extra beveiligingsmaatregelen actief zijn in je winkel."; @@ -7221,9 +6934,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Dit artikel staat momenteel in pakket %1$d: %2$@. Waar wil je het naar verplaatsen?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Deze betaling is al voltooid – controleer de bestellingsgegevens."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Dit product kon niet worden geladen"; @@ -7416,12 +7126,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Probeer een ander adres"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Probeer een andere kaart"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Probeer een andere leesmethode"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Probeer opnieuw te autoriseren"; @@ -7459,9 +7163,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Probeer het opnieuw met de pagina WP-Admin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Probeer een andere betaalmethode"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Probeer opnieuw verbinding te maken om toegang te krijgen tot je winkel."; @@ -7474,9 +7175,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Probeer met het site-adres"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Het opnieuw proberen kan helpen, of probeer een andere betaalmethode"; - /* Country option for a site address. */ "Tunisia" = "Tunesië"; @@ -7504,9 +7202,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Type een naam voor je winkel"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Type inhoud"; @@ -7529,12 +7224,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Verbinding niet mogelijk"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Kan Bluetooth niet openen - schakel Bluetooth in en probeer het opnieuw"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Kan locatiediensten niet openen - schakel locatiediensten in en probeer het opnieuw"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Kan kortingsbon niet toevoegen."; @@ -7547,18 +7236,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Kan status niet wijzigen voor bestelnr.%1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Kan niet communiceren met de lezer - probeer het opnieuw"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Kan geen verbinding maken met de kaartlezer - de kaartlezer is al in gebruik"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Kan geen verbinding maken met de lezer - een andere lezer is al verbonden"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Kan geen verbinding maken met de lezer - de batterij van de lezer is bijna leeg - laad de lezer op en probeer het opnieuw."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Kon nieuwe bestelling niet aanmaken"; @@ -7643,15 +7320,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Kan beoordeling niet markeren als %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Kan de aanvraag niet uitvoeren met de verbonden lezer - niet-ondersteunde functie - probeer het opnieuw met een andere lezer"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Kan de software-aanvraag niet uitvoeren - werk deze applicatie bij en probeer het opnieuw"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Kan de betaling niet verwerken vanwege ongeldige gegevens - probeer het opnieuw"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Kan betaling niet verwerken. Totaalbedrag bestelling is minder dan het minimumbedrag dat je kunt vragen. Dit minimumbedrag is %1$@"; @@ -7667,15 +7335,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Kan betaling niet verwerken. We konden de nieuwste bestellingsgegevens niet ophalen. Controleer je verbinding en probeer het nogmaals. Onderliggende fout: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Kan de kaart niet lezen - er heeft een time-out van het systeem plaatsgevonden - probeer het opnieuw"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Kan de ingevoerde kaart niet lezen - verwijder de kaart en voer hem opnieuw in"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Kan de geveegde kaart niet lezen - haal de kaart opnieuw langs de lezer"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Kon geen WordPress-site lezen op deze URL. Tik op ‘Meer hulp nodig?’ om de veelgestelde vragen te bekijken."; @@ -7698,21 +7357,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Opslaan van wijzigingen mislukt. Probeer het nog eens."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Kan niet zoeken naar kaartlezers - Bluetooth Low Energy wordt niet ondersteund op dit apparaat - gebruik een ander apparaat"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Kan niet zoeken naar kaartlezers - er heeft een time-out van bluetooth plaatsgevonden - probeer het opnieuw"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Kan klantgegevens niet instellen."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Kan adres niet bijwerken."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "De software van de kaartlezer kan niet worden bijgewerkt - de lezer heeft te weinig batterij"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Prijs bijwerken mislukt"; @@ -8180,9 +7830,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "We konden het verzendadres niet automatisch verifiëren. Bekijk op Apple Maps om te controleren of het adres klopt."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "We waren niet in staat om de betaling opnieuw uit te voeren – begin opnieuw."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "We konden je op dit moment geen e-mail sturen. Probeer het later nogmaals."; @@ -8412,9 +8059,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Je kunt deze productaddons bewerken vanaf je webdashboard."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Je kunt de domeininstellingen vinden onder menu > instellingen"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Je kunt ze snel en eenvoudig beheren."; @@ -8448,9 +8092,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Je hebt geen toestemming om plugins te beheren op deze winkel."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Je hebt een gratis eenjarige domeinregistratie bij je abonnement"; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Je hebt een nieuwe bestelling!"; @@ -8465,9 +8106,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Je moet een wachtwoord toevoegen om je product met een wachtwoord te beschermen"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Je moet een toegangscode instellen op je vergrendelscherm om Tap to Pay on iPhone te kunnen gebruiken"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Het lijkt erop dat je een mobiele plugin van DudaMobile hebt geïnstalleerd die voorkomt dat de app zich kan verbinden met je blog"; @@ -8500,9 +8138,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Je e-mailadres wordt niet gebruikt met een WordPress.com-account"; -/* Title of the free domain view. */ -"Your free store address" = "Jouw gratis winkeladres"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Je gratis proefversie is beëindigd"; @@ -8545,12 +8180,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Het adres van je site wordt aan de bovenzijde van je scherm weergegeven wanneer je je site in Safari bekijkt."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Je siteadres wordt ingesteld. Het kan tot 30 minuten duren voor je domein werkt."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Je sitedomeinen"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Het duurt lang voordat je site reageert"; @@ -10488,135 +10117,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Alle campagnes weergeven"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Deze app heeft toestemming nodig om Bluetooth te gebruiken om verbinding te maken met je kaartlezer. Je kan toestemming geven in de instellingen van het systeem, in het gedeelte Woo."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "De Bluetooth-lezer is al verbonden met een ander apparaat. De verbinding van de lezer moet opnieuw worden ingesteld om verbinding te maken met dit apparaat."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "De locatie-ID van de Bluetooth-verbinding is ongeldig."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Deze app heeft toestemming nodig om Bluetooth te gebruiken om verbinding te maken met je kaartlezer. Je kan toestemming geven in de instellingen van het systeem, in het gedeelte Woo."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "De lezer heeft de verbindingsgegevens van dit apparaat verwijderd. Probeer de lezer 'te vergeten' in de iOS-instellingen."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "De verbinding met de Bluetooth-lezer is verbroken en we proberen opnieuw verbinding te maken."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Deze handeling kon niet worden geannuleerd omdat hij al was voltooid."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Functionaliteit voor kaarten vegen is niet beschikbaar."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Neem contact op met de ondersteuning: deze opdracht mag niet worden uitgevoerd door het besturingssysteem."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "De kaarthouder moet toestemming geven om deze handeling uit te voeren."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Fout bij ophalen verbindingstoken."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Time-out van aanvraag verbindingstoken."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Neem contact op met de ondersteuning: de functie is niet beschikbaar."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Het is niet toegestaan een livemodusbetaling door te zetten in de testmodus."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Het is niet toegestaan een testmodusbetaling door te zetten in de livemodus."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac wordt niet ondersteund in de offline-modus."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Er is een onbekende netwerkfout opgetreden."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Time-out bij verbinding maken met lezer via het internet. Zorg dat je apparaat en lezer zijn verbonden met hetzelfde wifinetwerk en dat je lezer verbinding heeft met het wifinetwerk."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Neem contact op met de ondersteuning: het klantgeheim is ongeldig."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Neem contact op met de ondersteuning: de ontdekkingsconfiguratie is ongeldig."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "De locatie-ID is ongeldig."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "De lezer voor de update is ongeldig."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Neem contact op met de ondersteuning: de terugbetalingsparameters zijn ongeldig."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Neem contact op met de ondersteuning: een vereiste parameter is ongeldig."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "De lezer kon de gegevens van de aangeboden betaalmethode niet lezen. Als deze fout herhaaldelijk optreedt, neem dan contact op met de ondersteuning. De lezer is mogelijk defect."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Neem contact op met de ondersteuning: de betalingsintentie ontbreekt."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Neem contact op met de ondersteuning: de terugbetalingsmethode ontbreekt."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Neem contact op met de ondersteuning: de configuratie-intentie ontbreekt."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Een betaling offline bevestigen wanneer de kaart verlopen is."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Zorg ervoor dat de netwerkverbinding stabiel is tijdens het innen en bevestigen van de betaling."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Er wordt offline een testkaart in livemodus gebruikt."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Een betaling offline bevestigen wanneer de verificatie van de kaart is mislukt."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Online pincode wordt niet ondersteund in de offline-modus. Probeer de betaling opnieuw met een andere kaart."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Er is geen kaart binnen de tijdslimiet gepresenteerd."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "De verbindingsconfiguratie van de lezer is ongeldig."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Er ontbreken coderingssleutels op de lezer die nodig zijn om betalingen aan te nemen en de lezer heeft de verbinding verbroken en is opnieuw opgestart. Maak opnieuw verbinding met de lezer om te proberen de sleutels opnieuw te installeren. Als de fout aanhoudt, neem dan contact op met de ondersteuning."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "De software van de lezer kon niet worden bijgewerkt omdat de update is verlopen. Verbreek de verbinding en maak opnieuw verbinding met de lezer om een nieuwe update op te halen."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Neem contact op met de ondersteuning. De fooiparameter van de lezer is ongeldig."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "De terugbetaling is mislukt. De bank of kaartuitgever van de klant kon hem niet juist verwerken (bijv. vanwege een gesloten bankrekening of een probleem met de kaart)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Neem contact op met de ondersteuning. Er is een fout opgetreden bij het decoderen van de Stripe API-reactie."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Het gekoppelde Apple ID-account is gedeactiveerd."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Er heeft zich een onverwachte fout voorgedaan met de lezer."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "De lezer heeft na ontdekking geen IP-adres gevonden en verbinding is niet mogelijk."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Coupons"; @@ -11883,9 +11383,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Populaire producten"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Doorzoek je winkel"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Recente zoekopdrachten"; @@ -12668,9 +12165,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Gereed"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Help en ondersteuning"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Duidelijk"; @@ -13040,9 +12534,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Bestellingen"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Kassa"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Negeren"; @@ -13451,9 +12942,6 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Verzending %1$d"; -/* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Handtekening volwassene vereist (+%1$@)"; - /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d werkdag"; @@ -13472,9 +12960,6 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Verzekering (%1$@)"; -/* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Handtekening vereist (+%1$@)"; - /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Tracking"; diff --git a/WooCommerce/Resources/pt-BR.lproj/Localizable.strings b/WooCommerce/Resources/pt-BR.lproj/Localizable.strings index c5dd94753d0..a02f073f481 100644 --- a/WooCommerce/Resources/pt-BR.lproj/Localizable.strings +++ b/WooCommerce/Resources/pt-BR.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-18 16:54:04+0000 */ +/* Translation-Revision-Date: 2025-06-30 21:54:05+0000 */ /* Plural-Forms: nplurals=2; plural=(n > 1); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: pt_BR */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (para o cliente)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Cópia de %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ sobre como aceitar pagamentos com seu dispositivo móvel e solicitar leitores de cartão."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ sobre domínios e como tomar medidas relacionadas a eles."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ sobre como verificar suas informações com o WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "É necessário imprimir uma declaração aduaneira e incluí-la neste envio internacional"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Um cartão ativo foi usado em um site em modo de teste. Use um cartão de teste no lugar dele."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Ocorreu um erro de rede. Verifique sua conexão e tente novamente."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "ADICIONAR OPÇÕES"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "Endereço"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Recuperação de carrinho abandonado"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Configurações da conta"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Tipo de conta"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Conta conectada"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Adicionar variação"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Adicionar um domínio"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Adicionar novo cartão de crédito"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Valor elegível para reembolso"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Quantia paga"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Um ID Apple só pode ser usado para fazer upgrade de uma loja"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Ocorreu um erro ao encerrar a conta."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Ocorreu um erro ao acessar o Bluetooth. Ative-o e tente novamente."; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Uma transação idêntica foi enviada recentemente. Se quiser continuar, tente outro meio de pagamento"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Falha no upload de uma imagem"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Um PIN incorreto foi inserido vezes demais. Tente outro meio de pagamento"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Um PIN incorreto foi inserido. Tente novamente ou use outro meio de pagamento"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Uma observação opcional para enviar ao cliente após a compra"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Logs de aplicativos"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Nome do aplicativo"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Manuais de leitor de cartão"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "O cartão foi deixado no leitor. Remova e insira-o novamente."; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "O cartão foi removido muito cedo. Tente novamente."; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Cancelar"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Informe a cidade"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Resgatar domínio"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Resgatar seu domínio gratuito"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Classe 1 - Pacote com fusível\/propulsor de brinquedo"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Parabéns, você leu tudo!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Parabéns por sua compra"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Parabéns! Você está a um passo de deixar a nova loja pronta."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Conectando o leitor"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "A conexão com o leitor de cartão atingiu o tempo limite. Certifique-se de que ele está próximo e carregado e tente novamente."; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Conectando à sua conta"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Continuar"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Período"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Data de pagamento"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Data do envio"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Desconto"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Desconto: %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Tipo de desconto"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Documentos"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domínios"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Concluído"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Feedback enviado!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Taxas"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Buscando variações..."; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Esqueceu sua senha?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Erro de validação de formulário"; - /* Next web page */ "Forward" = "Encaminhar"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Teste gratuito"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratuito no primeiro ano"; - /* Country option for a site address. */ "French Guiana" = "Guiana Francesa"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Pagamentos presenciais"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Compras no aplicativo"; - /* Application's Inactive State */ "Inactive" = "Inativas"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Inserir"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Insira o cartão"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Inserir linha horizontal"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Inserir link"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Insira ou passe o cartão"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Insira um cartão para pagar"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Letônia"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Iniciar depuração do Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Publique sua loja"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Moçambique"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Vários cartões por aproximação detectados"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Várias lojas"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Nenhuma campanha ainda"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Nenhum leitor de cartão está conectado. Conecte um leitor e tente novamente."; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Nenhuma categoria selecionada"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Nenhum problema de conexão"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Não há conexão com a Internet. Conecte-se e tente novamente."; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Nenhum cupom encontrado"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Nota para o cliente"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Anotações"; - /* Default message for empty media picker */ "Nothing to show" = "Nada para mostrar"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Totais de pagamentos"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Pagamento recusado por saldo insuficiente Tente outro meio de pagamento"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Falha no pagamento"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Forma de pagamento"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Pagamento realizado com êxito"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Pagamento recusado por motivos desconhecidos. Tente outro meio de pagamento"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Pagamento recusado por motivo não especificado. Tente outro meio de pagamento"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Carregue o leitor"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Verifique se o seu telefone atende a estes requisitos: iPhone XS ou mais recente com iOS 16.7 ou superior. Entre em contato com o suporte se esse erro aparecer em um dispositivo compatível."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Verifique se o seu Apple ID é válido e tente novamente. Um Apple ID válido é obrigatório para aceitar os Termos de serviço da Apple"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Conecte o Jetpack pela sua página de administração em um navegador ou entre em contato com o suporte."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Entre em contato com o suporte para obter ajuda."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Fale com o suporte: houve um problema ao iniciar o Tap to Pay on iPhone"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Para usar o aplicativo, entre em contato com o proprietário do site e solicite um convite para o site como administrador ou gerente de loja."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Selecione um pacote"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Faça login no iCloud neste dispositivo para usar o Tap to Pay on iPhone"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Tente novamente mais tarde ou fale conosco. Teremos prazer em ajudar você!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Tente novamente ou fale conosco. Teremos prazer em ajudar você!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Tente novamente e aceite os Termos de serviço da Apple para poder usar o Tap to Pay on iPhone"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Tente novamente ou entre em contato com o suporte para obter ajuda"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Tente novamente. Como alternativa, você pode instalar o Jetpack pelo seu Painel WP Admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Tente outra consulta."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Atualize o software do leitor para continuar aceitando pagamentos"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Preços atualizados com sucesso."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Endereço do site primário"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Imprimir"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Motivo do reembolso do pedido"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Recibo"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Recibo de %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Pagamento recorrente'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Gerar código do cupom novamente"; -/* Title of the domain contact info form. */ -"Register domain" = "Registrar domínio"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Preço normal"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Remover atributo"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Remova o cartão"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Remover desconto"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Renomear atributo"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Renova em %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Substituir foto"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Tentar novamente após atualizar"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Tente o cartão novamente"; - /* Action button to check site's connection again. */ "Retry Connection" = "Tentar conexão novamente"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS enviado"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "SUGESTÕES"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Pesquisar cupons"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Pesquisar domínios"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Pesquisar um domínio"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Pesquisar cliente existente ou"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Enviado em %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Algum endereço de e-mail não é válido."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Ocorreu um erro inesperado na validação. Verifique os campos e tente novamente."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Alguém"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Não foi possível processar este pagamento"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Não foi possível processar este pagamento."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Não foi possível cancelar este reembolso"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Não foi possível processar este reembolso"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Lamentamos, o nome de usuário deve incluir letras (a-z) também!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Não foi possível concluir esta ação já que nenhum pagamento ativo foi encontrado."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Não foi possível conectar ao leitor. Tente novamente."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Não foi possível iniciar o Tap to Pay on iPhone. Verifique sua conexão e tente novamente."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Assinaturas"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Soma dos produtos e peso do pacote"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Resumo"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Resumo: pedido #%1$@"; - /* Country option for a site address. */ "Suriname" = "Suriname"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Suécia"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Passe o cartão"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Alterar loja"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Relatório de status do sistema copiado para a área de transferência"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Cartões de teste do sistema não são permitidos para pagamentos. Tente outro meio de pagamento"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé e Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Tap to Pay on iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Não é possível usar o Tap to Pay on iPhone durante uma ligação. Tente novamente quando desligar."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "O Tap to Pay on iPhone está pronto"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Status do imposto"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Impostos"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Termos de serviço"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Experimente as compras no aplicativo enquanto nos preparamos para o lançamento"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Teste a visualização dos Complementos de pedidos enquanto nos preparamos para lançar"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "A extensão %1$@ está instalada na sua loja, mas precisa ser atualizada para aceitar pagamentos presenciais. Atualize-a para a versão mais recente."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "A conexão Bluetooth com o leitor de cartão caiu inesperadamente"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "A conta do Google \"%@\" não corresponde à nenhuma conta do WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "O pedido não foi carregado!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "O valor não é compatível com o Tap to Pay on iPhone. Tente um leitor de hardware ou outra forma de pagamento."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "Não foi possível ativar o Tap to Pay on iPhone pelo aplicativo porque o chip NFC está desativado. Fale com o suporte para mais detalhes."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Não foi possível remover o atributo."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Não foi possível salvar o atributo."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "O cartão não é compatível com esta moeda. Tente outro meio de pagamento"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "O cartão não é compatível com este tipo de compra. Tente outro meio de pagamento"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "O cartão expirou. Tente outro meio de pagamento"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "O cartão ou a conta do cartão são inválidos. Tente outro meio de pagamento"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "O leitor de cartão está ocupado executando outro comando. Tente novamente."; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "O leitor de cartão não é compatível com este aplicativo. Atualize o aplicativo ou use um leitor diferente."; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "A sessão do leitor de cartão expirou. Desconecte e reconecte-o e tente novamente."; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "O software do leitor de cartão está desatualizado. Atualize-o antes de tentar processar pagamentos."; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "O software do leitor de cartão está desatualizado. Atualize-o antes de tentar processar pagamentos."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "O software leitor do cartão está desatualizado - atualize-o antes de tentar processar reembolsos"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "A atualização do software do leitor de cartão falhou devido à um problema de comunicação. Tente novamente."; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "A atualização do software do leitor de cartão falhou devido à um problema com o servidor de atualização. Tente novamente."; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "A atualização do software do leitor de cartão falhou inesperadamente. Tente novamente."; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "A atualização do software do leitor de cartão foi interrompida antes da conclusão. Tente novamente."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "O cartão foi recusado pelo leitor. Tente outro meio de pagamento."; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "O cartão foi recusado pelo leitor. Tente outro meio de pagamento."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "O cartão foi recusado pelo leitor: tente outra forma de reembolso"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "O cartão foi recusado pelo leitor de iPhone. Tente outra forma de pagamento"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "O cartão foi recusado pelo processador. Tente outro meio de pagamento."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "O certificado para este servidor é inválido. Você talvez esteja conectando a um servidor que está fingindo ser \"%@\", o que poderia colocar suas informações confidenciais em risco."; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "O código do cupom não pode estar vazio"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "A moeda não é compatível com o Tap to Pay on iPhone. Tente um leitor de hardware ou outra forma de pagamento."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "O cliente receberá um e-mail assim que o pedido for concluído"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "O domínio comprado redirecionará os usuários para **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "O domínio comprado redirecionará os usuários para o domínio de teste atual"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "O domínio comprado redirecionará os usuários para o seu endereço principal."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Na primeira vez em que você usar o Tap to Pay on iPhone, talvez seja solicitado que aceite os Termos de serviço da Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "O valor do pagamento não é permitido para o cartão informado. Tente outro meio de pagamento."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "O pagamento não pode ser processado pelo processador de pagamento."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "O cartão de pagamento foi removido antes da hora. Tente novamente."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "A forma de pagamento não oferece reembolso automático. Para concluir o reembolso, transfira o dinheiro manualmente para o cliente."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "O pagamento foi cancelado no leitor"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "O pagamento foi cancelado."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "O reembolso não pode ser processado pelo processador de pagamentos."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "O tempo da solicitação atingiu o limite. Tente novamente."; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "A solicitação para gerar a senha do aplicativo não foi autorizada."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "A quantidade em estoque deste produto. Editável."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "O endereço da loja está incompleto ou ausente. Atualize-o antes de prosseguir."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "O código postal da loja é inválido ou está ausente. Atualize-o antes de prosseguir."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "O sistema cancelou seu comando inesperadamente. Tente novamente."; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Ocorreu um erro de software inesperado."; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Não é possível obter o relatório de status do sistema para o seu site no momento. Tente novamente."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "O código postal da transação e o código postal do cartão não são o mesmo. Tente outro meio de pagamento"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "O teste de pagamento não pôde ser iniciado. Tente novamente mais tarde ou entre em contato com o suporte se esse problema persistir."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Ocorreu um erro ao tentar receber o pagamento."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Ocorreu um problema ao conectar o Tap to Pay on iPhone. Tente novamente."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Licenças de terceiros"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Este aplicativo é compatível somente com as funções de administrador e gerente da loja. Entre em contato com o proprietário da loja para fazer upgrade da sua função."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Este cartão requer um código PIN e, por isso, não pode ser processado. Tente outro meio de pagamento"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Talvez seja porque sua loja tem algumas etapas extras de segurança definidas."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Este item está no pacote %1$d: %2$@. Para onde você quer mover isso?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Este pagamento já foi concluído. Verifique os detalhes do pedido."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Não foi possível carregar este produto"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Tentar outro endereço"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Tente outro cartão"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Tente outro método de leitura"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Tentar autorizar novamente"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Tente novamente com a página WP-Admin."; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Tente outro meio de pagamento"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Tente se conectar novamente para acessar sua loja."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Tentar com o endereço do site"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Tente novamente ou experimente outro meio de pagamento"; - /* Country option for a site address. */ "Tunisia" = "Tunísia"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Digite um nome para sua loja"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Tipo de conteúdo"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Não foi possível conectar"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Não foi possível acessar o Bluetooth. Ative-o e tente novamente."; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Não foi possível acessar os serviços de localização. Ative-os e tente novamente."; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Não foi possível adicionar o cupom."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Não foi possível mudar o status do pedido %1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Não foi possível estabelecer comunicação com o leitor. Tente novamente."; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Não foi possível conectar ao leitor de cartão porque ele já está em uso."; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Não foi possível conectar ao leitor porque outro leitor já está conectado."; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Não foi possível conectar ao leitor porque ele está com a bateria muito baixa. Carregue-o e tente novamente."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Não foi possível criar um novo pedido"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Não foi possível marcar a avaliação como %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Não foi possível realizar solicitação ao leitor conectado. O recurso não é compatível. Tente novamente com outro leitor."; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Não foi possível realizar solicitação ao software. Atualize o aplicativo e tente novamente."; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Não foi possível processar o pagamento devido a dados inválidos. Tente novamente."; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Não é possível processar o pagamento. O valor total do pedido está abaixo do valor mínimo que você pode cobrar, %1$@."; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Não é possível processar o pagamento. Não conseguimos obter os detalhes mais recentes do pedido. Verifique sua conexão de rede e tente novamente. Erro estrutural: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Não foi possível ler o cartão. O sistema atingiu o tempo limite. Tente novamente."; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Não foi possível ler o cartão. Insira-o novamente."; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Não foi possível ler o cartão. Passe-o novamente."; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Não foi possível ler o site do WordPress nessa URL. Toque em 'Precisa de mais ajuda?' para ver as perguntas frequentes."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Não é possível salvar as mudanças. Tente novamente."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Não foi possível pesquisar leitores de cartão porque o Bluetooth Low Energy não é compatível com este dispositivo. Use outro dispositivo."; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Não foi possível pesquisar leitores de cartão porque o Bluetooth atingiu o tempo limite. Tente novamente."; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Não é possível definir os detalhes do cliente."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Não é possível atualizar o endereço."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Não foi possível atualizar o software do leitor de cartão porque a bateria está muito fraca."; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Não foi possível atualizar o preço"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Não foi possível verificar automaticamente o endereço de envio. Encontre-o no Apple Maps para confirmar se o endereço está correto."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Não foi possível tentar refazer o pagamento. Comece novamente."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Não foi possível enviar um e-mail para você no momento. Tente novamente mais tarde."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Você pode editar complementos de produtos no painel da Web."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Você encontra as configurações de domínio em Menu > Configurações"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Você pode gerenciar com rapidez e facilidade."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Você não tem permissão para gerenciar plugins nesta loja."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Você tem um registro de domínio gratuito por um ano incluso no seu plano."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Você recebeu um novo pedido! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Você precisa adicionar uma senha para que o produto seja protegido por senha"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "É necessário definir uma senha de tela de bloqueio para usar o Tap to Pay on iPhone"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Parece que você instalou um plugin mobile proveniente de DudaMobile que está evitando o app de se conectar ao seu blog"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Seu e-mail não é usado com uma conta do WordPress.com"; -/* Title of the free domain view. */ -"Your free store address" = "Endereço gratuito da sua loja"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Seu período de teste terminou."; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "O endereço do seu site aparece na barra, localizada na parte superior da tela, quando acessado pelo Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "O endereço do seu site está sendo configurado. Pode levar até 30 minutos para o domínio começar a funcionar."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Domínios do seu site"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Seu site está demorando a responder"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Ver todas as campanhas"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Este app precisa de permissão para acessar o Bluetooth e se conectar ao seu leitor de cartão. Para conceder permissão, acesse a seção do Woo no app de configurações do sistema."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "O leitor de Bluetooth já está pareado com outro dispositivo. Você precisa redefinir o pareamento do leitor para conectá-lo a este dispositivo."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "A conexão por Bluetooth tem uma ID de localização inválida."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Este app precisa de permissão para acessar o Bluetooth e se conectar ao seu leitor de cartão. Para conceder permissão, acesse a seção do Woo no app de configurações do sistema."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "O leitor removeu as informações de pareamento deste dispositivo. Esqueça o leitor nas preferências do iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "O leitor por Bluetooth foi desconectado, e estamos tentando conectar novamente."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "A operação não foi cancelada porque ela já foi concluída."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "A funcionalidade de passar o cartão está indisponível."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Entre em contato com o suporte: não é permitido executar o comando pelo sistema operacional."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "O titular do cartão precisa dar consentimento para concluir esta operação."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Ocorreu um erro ao buscar o token de conexão."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "O token de conexão expirou."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Entre em contato com o suporte: a funcionalidade está indisponível."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "É proibido redirecionar um pagamento do modo ativo no modo de teste."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "É proibido redirecionar um pagamento do modo de teste no modo ativo."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "O Interac não é compatível com o modo offline."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Ocorreu um erro de rede desconhecido."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "A conexão com o leitor pela Internet expirou. Verifique se o dispositivo e o leitor estão na mesma rede Wi-Fi e se o leitor está conectado a ela."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Entre em contato com o suporte: a chave secreta do cliente é inválida."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Entre em contato com o suporte: a configuração de descoberta é inválida."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "A ID de localização é inválida."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "O leitor da atualização é inválido."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Entre em contato com o suporte: os parâmetros de reembolso são inválidos."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Entre em contato com o suporte: um parâmetro obrigatório é inválido."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "O leitor não conseguiu ler os dados do método de pagamento fornecido. Se este erro acontecer várias vezes, o leitor poderá estar com uma falha. Nesse caso, entre em contato com o suporte."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Entre em contato com o suporte: o intent de pagamento está faltando."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Entre em contato com o suporte: o método de pagamento de reembolso está faltando."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Entre em contato com o suporte: o intent da configuração está faltando."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "A confirmação offline de pagamento e o cartão foram identificados como expirados."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Verifique se a conexão de rede é consistente durante o recebimento e confirmação do pagamento."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Um cartão de teste é usado no modo ativo quando offline."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "A confirmação offline de pagamento e a verificação do cartão falharam."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "O PIN online não é compatível com o modo offline. Tente fazer o pagamento de novo com outro cartão."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Nenhum cartão foi informado dentro do prazo."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "A configuração de conexão do leitor é inválida."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "O leitor está sem as chaves de criptografia necessárias para receber pagamentos e foi desconectado e reinicializado. Conecte-se novamente ao leitor para tentar reinstalar as chaves. Se o problema continuar, entre em contato com o suporte."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Falha ao atualizar o software do leitor porque a atualização expirou. Conecte-se novamente ao leitor para realizar uma nova atualização."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Entre em contato com o suporte: o parâmetro de gorjeta do leitor é inválido."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Falha no reembolso. O banco ou emissor do cartão do cliente não conseguiu fazer o processamento corretamente (por exemplo, conta bancária encerrada ou problema com o cartão)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Entre em contato com o suporte. Ocorreu um erro ao decodificar a resposta da Stripe API."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "A conta Apple vinculada foi desativada."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Ocorreu um erro inesperado com o leitor."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "O leitor que a descoberta retornou não tem um endereço de IP e não pode ser conectado."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Cupons"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Plugins"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Código de barras muito curto"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "Varredura parcial do código de barras"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Falha na solicitação de rede"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Item escaneado desconhecido"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Não foi possível ler o código de barras"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Falha na varredura"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Tipo de item não compatível"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Cupom não aplicado"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Escaneamento de código de barras"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Aguarde"; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Concluir"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Escaneamento de código de barras"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "Escaneie códigos de barra usando um scanner externo para criar rapidamente um carrinho."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Mais detalhes."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Mais detalhes, link."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• Configure códigos de barras no campo \"GTIN, UPC, EAN, ISBN\" em Produtos > Detalhes do produto > Inventário. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "Primeiro: configure códigos de barras no campo \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" em Produtos > Detalhes do produto > Inventário."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• Escaneie códigos de barras enquanto estiver na lista de itens para adicionar produtos ao carrinho."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Quarto: escaneie códigos de barras enquanto estiver na lista de itens para adicionar produtos ao carrinho."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "O scanner simula um teclado, então algumas vezes ele impedirá que o software do teclado seja exibido, como na pesquisa. Toque no ícone do teclado para mostrá-lo novamente."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• Consulte as instruções do scanner de código de barras Bluetooth para definir o modo HID."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "Segundo: consulte as instruções do scanner de código de barras Bluetooth para definir o modo H-I-D."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• Conecte seu scanner de código de barras nas configurações Bluetooth do iOS."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Terceiro: conecte seu scanner de código de barras nas configurações Bluetooth do iOS."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "Toque no produto para\n adicionar ao carrinho"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Produtos populares"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Pesquise na loja"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Pesquisas recentes"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Nenhum cupom encontrado"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Atualizar"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Para adicionar, saia do ponto de venda e acesse Produtos."; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Criar cupom"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "OK"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Limpar pesquisa"; @@ -11967,6 +11524,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "Sem estoque"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "PDV"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "Novo pedido"; @@ -12674,9 +12234,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Concluir"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Ajuda e suporte"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Entendi"; @@ -13046,9 +12603,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Pedidos"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Finalizar compra"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Dispensar"; @@ -13457,8 +13011,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Envio %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "Manuseio extra (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Assinatura de um adulto obrigatória (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Assinatura de um adulto obrigatória (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "Neutralidade de carbono (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d dia útil"; @@ -13478,8 +13038,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Seguro (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "Entrega no sábado (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Assinatura obrigatória (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "Assinatura obrigatória (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Rastreamento"; diff --git a/WooCommerce/Resources/ru.lproj/Localizable.strings b/WooCommerce/Resources/ru.lproj/Localizable.strings index cc39c450f4f..b33b1ca4fe2 100644 --- a/WooCommerce/Resources/ru.lproj/Localizable.strings +++ b/WooCommerce/Resources/ru.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-19 14:48:10+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ru */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ — %2$@ (для заказчика)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ Копия"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ о приёме платежей с помощью мобильного устройства и о заказе устройств чтения карт."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ о доменах и связанных с ними действиях."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ о подтверждении вашей информации на WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Необходимо напечатать таможенную форму и включить ее в это международное отправление"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "На сайте в тестовом режиме была использована действующая карта. Воспользуйтесь вместо неё картой для тестирования."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Произошла ошибка. Проверьте подключение и повторите попытку."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "ДОБАВИТЬ ОПЦИИ"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "АДРЕС"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "ПОМОЩЬ"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Восстановление оставленной корзины"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Настройки учетной записи"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Тип счёта"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Учётная запись подключена"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Добавить вариант"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Добавить домен"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Добавить новую кредитную карту"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Сумма, доступная для возврата"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Уплаченная сумма"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Один Apple ID можно использовать для обновления тарифного плана только для одного магазина"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "При закрытии учётной записи произошла ошибка."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "При получении доступа к Bluetooth возникла ошибка. Включите Bluetooth и повторите попытку"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Недавно была выполнена такая же транзакция. Чтобы продолжить, попробуйте другой способ платежа"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Не удалось загрузить изображение"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Неверный PIN-код введен слишком много раз. Попробуйте другое средство платежа"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Введён неверный PIN-код. Повторите попытку или попробуйте другое средство платежа"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Сообщение, отправляемое клиентку после покупки"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Журналы приложения"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Название приложения"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Руководства по работе с платёжными терминалами"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Карта осталась в устройстве чтения. Извлеките её и вставьте снова"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Карта извлечена слишком быстро. Повторите транзакцию"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Отмена"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Не указан город"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Отправить заявку на домен"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Получите свой домен бесплатно"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Класс 1 — горючие жидкости и зажигательные шнуры"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Поздравляем, вы прочитали все примечания!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Поздравляем с приобретением"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Поздравляем! Вы стали на шаг ближе к открытию нового магазина."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Подключение к устройству чтения"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Истекло время подключения к устройству чтения карт. Убедитесь, что оно находится неподалеку, и повторите попытку"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Подключение к вашей учётной записи"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Продолжить"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Период"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Дата оплаты"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Дата отправки"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Скидка"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Скидка %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Тип скидки"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Документы"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Домены"; - /* Country option for a site address. */ "Dominica" = "Доминика"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Готово"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Отзыв отправлен!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Сборы"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Получение вариантов..."; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Забыли пароль?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Ошибка проверки формы"; - /* Next web page */ "Forward" = "Направить"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Бесплатный пробный период"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Бесплатно за первый год"; - /* Country option for a site address. */ "French Guiana" = "Французская Гвиана"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Очные платежи"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Покупки в приложении"; - /* Application's Inactive State */ "Inactive" = "Неактивно"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Вставить"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Вставьте карту"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Вставить горизонтальную линейку"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Вставить ссылку"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Вставьте или проведите карту"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Вставьте карту для оплаты"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Латвия"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Запустить отладчик Wormholy"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Запустите собственный магазин"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Мозамбик"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Обнаружено несколько бесконтактных карт"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Несколько магазинов"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Нет рекламных кампаний"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Нет подключённых устройств чтения карт. Подключите устройство и повторите попытку"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Категория не выбрана"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Проблем с подключением нет"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Отсутствует подключение к Интернету. Подключитесь к Интернету и повторите попытку"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Купонов не обнаружено"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Примечание для клиента"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Заметки"; - /* Default message for empty media picker */ "Nothing to show" = "Нечего показать"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Итоговые суммы платежей"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Платёж отклонён из-за нехватки средств. Попробуйте другое средство платежа"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Не удалось оплатить"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Способ оплаты"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Оплата прошла успешно"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Платёж отклонён по неизвестной причине. Попробуйте другое средство платежа"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Платёж отклонён по неопределённой причине. Попробуйте другое средство платежа"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Зарядите терминал"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Убедитесь, что ваш телефон отвечает этим требованиям: iPhone XS или более новая модель под управлением iOS версии 16.7 или выше. Если ошибка появляется на поддерживаемом устройстве, обратитесь в службу поддержки."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Убедитесь, что ваш Apple ID действителен, и повторите попытку. Чтобы принять условия предоставления услуг Apple, требуется действительный Apple ID"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Подключите Jetpack на странице администратора в браузере или обратитесь в службу поддержки."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Обратитесь в службу поддержки."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Обратитесь в службу поддержки. Возникла проблема при запуске Tap to Pay on iPhone."; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Чтобы использовать приложение, получите приглашение у владельца сайта, например у директора магазина или администратора."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Выберите посылку"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Войдите в iCloud на этом устройстве, чтобы использовать Tap to Pay on iPhone."; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Повторите попытку позже или свяжитесь с нами. Мы будем рады помочь!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Повторите попытку или обратитесь к нам."; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Повторите попытку и примите условия предоставления услуг Apple, чтобы использовать Tap to Pay on iPhone."; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Повторите попытку или обратитесь в службу поддержки"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Повторите попытку. Либо вы можете установить Jetpack через консоль."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Выберите другой запрос."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Чтобы принимать платежи, обновите ПО устройства чтения"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Цены обновлены."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Основной адрес сайта"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Печать"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Причина возврата средств за заказ"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Чек"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Квитанция от %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Регулярные платежи'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Создать код купона повторно"; -/* Title of the domain contact info form. */ -"Register domain" = "Зарегистрировать домен"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Базовая цена"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Удалить атрибут"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Удалить карту"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Удалить скидку"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Переименовать атрибут "; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Дата продления: %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Заменить фотографию"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Повторите попытку после обновления"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Попробовать карту снова"; - /* Action button to check site's connection again. */ "Retry Connection" = "Повторить попытку подключения"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS отправлено"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "ВАРИАНТЫ"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Поиск купонов"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Поиск доменов"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Поиск домена"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Поиск существующего клиента или"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Отправлено %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Один из адресов эл. почты недействителен."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Неожиданная ошибка при проверке. Проверьте поля и повторите попытку."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Кто-то"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Не удалось выполнить этот платеж"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Не удалось обработать этот платёж."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Этот возврат средств нельзя отменить"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Не удалось обработать этот возврат"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Извините, имя пользователя должно содержать также и буквы (a—z)!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Не удалось выполнить действие, поскольку активный платёж не найден."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Не удалось подключиться к устройству чтения. Повторите попытку."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Не удалось запустить функцию «Tap to Pay on iPhone». Проверьте подключение и повторите попытку."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Подписки"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Сумма всех товаров и вес посылки"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Обзор"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Сводка: заказ №%1$@"; - /* Country option for a site address. */ "Suriname" = "Суринам"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Швеция"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Провести карту"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Переключиться на другой магазин"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Данные о состоянии системы скопированы в буфер обмена"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Карты для тестирования системы нельзя использовать для оплаты. Попробуйте другое средство платежа"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "Сан-Томе и Принсипи"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Оплата в касание с помощью iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tap to Pay on iPhone нельзя использовать во время телефонного вызова. Повторите попытку после завершения вызова."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Функция Tap to Pay on iPhone готова к работе"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Статус налога"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Налоги"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Условия предоставления услуг"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Проверьте, как работают покупки в приложении, пока готовится запуск"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Протестируйте наши дополнительные модули заказов в процессе подготовки к запуску"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "Расширение %1$@ установлено в вашем магазине, но его необходимо обновить для активации очных платежей. Установите последнюю версию расширения."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Подключение к устройству чтения карт по Bluetooth было неожиданно прервано"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Учетная запись Google \"%@\" не соответствует ни одной учетной записи WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Невозможно загрузить заказ!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone не поддерживает платежи на такую сумму. Используйте внешнее устройство чтения карт или другой способ оплаты."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "Приложение не может использовать Tap to Pay on iPhone, поскольку отключён модуль NFC. За подробной информацией обращайтесь в службу поддержки."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Не удалось удалить атрибут."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Невозможно сохранить атрибут."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "Карта не поддерживает эту валюту. Попробуйте другое средство платежа"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "Карта не поддерживает этот тип покупки. Попробуйте другое средство платежа"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "Срок действия карты закончился. Попробуйте другое средство платежа"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "Недействительная карта или счёт карты. Попробуйте другое средство платежа"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Устройство чтения карт выполняет другую команду. Повторите попытку"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Устройство чтения карт не совместимо с этим приложением. Попробуйте обновить приложение или воспользуйтесь другим устройством"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "Сеанс работы устройства чтения карт истек. Отключите и подключите устройство снова и повторите попытку"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Программное обеспечение для устройства чтения карт устарело. Для обработки платежей его необходимо обновить"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Программное обеспечение устройства чтения карт устарело. Перед началом обработки платежей его необходимо обновить."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Программное обеспечение для устройства чтения карт устарело. Для обработки возврата его необходимо обновить"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "При обновлении программного обеспечения для устройства чтения карт возникла ошибка связи. Повторите попытку"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "При обновлении программного обеспечения для устройства чтения карт возникла ошибка на стороне сервера обновлений. Повторите попытку"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "При обновлении программного обеспечения для устройства чтения карт возникла неожиданная ошибка. Повторите попытку"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "Обновление программного обеспечения для устройства чтения карт было прервано. Повторите попытку"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "Карта отклонена устройством чтения карт. Попробуйте другое средство платежа"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "Карта отклонена устройством чтения карт. Попробуйте другое средство платежа."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "Карта отклонена устройством чтения карт. Попробуйте другое средство возврата"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "Карта отклонена приложением iPhone. Попробуйте другое средство платежа."; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "Карта отклонена платёжной системой. Попробуйте другое средство платежа."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Сертификат для этого сервера недействителен. Возможно, вы пытаетесь подключиться к серверу, который имитирует «%@». Это может представлять риск для конфиденциальности вашей информации.\n\nДоверять этому сертификату?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Необходимо указать код купона"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone не поддерживает эту валюту. Используйте внешнее устройство чтения карт или другой способ оплаты."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "После выполнения заказа клиент получит сообщение по электронной почте."; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Приобретённый домен будет перенаправлять пользователей на **%1$@**."; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Приобретённый домен будет перенаправлять пользователей на текущий промежуточный домен."; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Приобретённый домен будет перенаправлять пользователей на основной адрес."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "При первом использовании Tap to Pay on iPhone, возможно, вам будет предложено принять условия предоставления услуг Apple."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Такая сумма платежа не разрешена для этой карты. Попробуйте другое средство платежа."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Платёжной системе не удалось обработать платёж."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "Карта удалена слишком рано, повторите попытку."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Этот способ оплаты не поддерживает автоматический возврат средств. Верните средства, отправив деньги покупателю вручную."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Платёж аннулирован на Читалке"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Платёж был отменён."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Платёжной системе не удалось обработать возврат."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Истекло время ожидания запроса. Повторите попытку"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Запрос на создание пароля приложения не прошёл авторизацию."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Количество товара на складе. Можно редактировать."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Адрес магазина неполный или отсутствует. Чтобы продолжить, укажите полный адрес."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Почтовый индекс магазина неверный или отсутствует. Чтобы продолжить, укажите правильный индекс."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Система неожиданно отменила выполнение команды. Повторите попытку"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Возникла неожиданная программная ошибка"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Не удаётся получить отчёт о статусе системы для вашего сайта. Повторите попытку."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Почтовый индекс транзакции и почтовый индекс карты не совпадают. Попробуйте другое средство платежа"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Не удалось выполнить пробный платёж. Повторите попытку или обратитесь в службу поддержки, если проблема не исчезла."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "При сборе платежа произошла ошибка."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Возникла проблема с подготовкой к использованию Tap to Pay on iPhone. Повторите попытку."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Сторонние лицензии"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Это приложение поддерживает только роли администратора и менеджера магазина. Свяжитесь с владельцем магазина для изменения роли."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Для этой карты требуется PIN-код, поэтому её нельзя обработать. Попробуйте другое средство платежа"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Возможно, это потому, что в вашем магазине действуют дополнительные меры безопасности."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Этот объект сейчас в посылке %1$d: %2$@. Куда переместить?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Этот платёж уже завершён, проверьте детали заказа."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Этот продукт не может быть загружен"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Использовать другой адрес"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Попробуйте другую карту"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Попробуйте другой способ чтения"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Повторить авторизацию"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Попробуйте снова на странице консоли"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Попробуйте другое средство платежа"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Попробуйте подключиться ещё раз, чтобы войти в магазин."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Попробуйте с адресом сайта"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Повторите попытку или используйте другое средство платежа"; - /* Country option for a site address. */ "Tunisia" = "Тунис"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Тувалу"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Введите название магазина"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Тип содержимого"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Невозможно подключиться"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Не удалось получить доступ к Bluetooth. Включите Bluetooth и повторите попытку"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Не удалось получить доступ к службам определения местоположения. Включите их и повторите попытку"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Не удалось применить купон."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Не удалось изменить статус заказа № %1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Отсутствует связь с устройством чтения. Повторите попытку"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Не удалось подключиться к устройству чтения: оно уже используется"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Не удалось подключиться к устройству чтения: уже подключено другое устройство"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Не удалось подключиться к устройству чтения: слишком низкий уровень заряда аккумулятора. Зарядите устройство чтения и повторите попытку."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Не удалось создать новый заказ"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Не удалось пометить обзор %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Не удалось выполнить запрос с подключенным устройством чтения: функция не поддерживается. Попробуйте воспользоваться другим устройством чтения"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Не удалось выполнить запрос программного обеспечения. Обновите это приложение и повторите попытку"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Не удалось обработать платеж: неверные данные. Повторите попытку"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Не удалось обработать платеж. Общая сумма заказа ниже минимальной взимаемой суммы (%1$@)"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Не удалось обработать платёж. Не удалось получить сведения о последнем заказе. Проверьте подключение к сети и повторите попытку. Основная ошибка: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Не удалось прочитать карту: истекло время ожидания. Повторите попытку"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Не удалось прочитать вставленную карту. Извлеките ее и вставьте снова"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Не удалось прочитать проведенную карту. Повторите попытку"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Не удалось найти веб-сайт WordPress по этому URL-адресу. Нажмите кнопку \"Нужна помощь?\", чтобы просмотреть ответы на часто задаваемые вопросы."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Не удалось сохранить изменения. Повторите попытку."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Не удалось выполнить поиск устройств чтения карт: на этом устройстве не поддерживается Bluetooth с низким энергопотреблением. Выберите другое устройство"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Не удалось выполнить поиск устройств чтения карт: истекло время ожидания для подключения по Bluetooth. Повторите попытку"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Не удалось добавить сведения о клиенте."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Не удалось изменить адрес."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Не удалось обновить программное обеспечение для устройства чтения карт: низкий уровень заряда аккумулятора"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Не удалось обновить цену"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Не удалось автоматически проверить почтовый адрес. Укажите его на Apple Maps и убедитесь, что адрес указан верно."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Не удалось повторить платёж. Начните заново."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Мы не смогли отправить вам сообщение по эл.почте. Попробуйте еще раз позже."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Дополнения к товару можно редактировать в веб-консоли."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Настройки домена находятся в \"Меню\" > \"Настройки\"."; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Простое и быстрое управление."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "У вас нет разрешения на управление плагинами в этом магазине."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "На вашем тарифе можно бесплатно зарегистрировать домен на один год."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Поступил новый заказ! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Добавьте пароль, чтобы защитить товар"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Необходимо настроить пароль экрана блокировки, чтобы использовать функцию Tap to Pay on iPhone."; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Скорее всего, вы установили мобильный плагин DudaMobile, который не даёт приложению подключиться к вашему блогу"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Адрес эл. почты не используется с учётной записью WordPress.com"; -/* Title of the free domain view. */ -"Your free store address" = "Бесплатный адрес вашего магазина"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Ваш пробный период завершён"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "При открытии сайта в браузере Safari его адрес отображается в строке в верхней части экрана."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Выполняется настройка адреса сайта. Может пройти до 30 минут, прежде чем домен начнёт работать."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Домены вашего сайта"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Ваш сайт отвечает долго"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Показать все кампании"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Этому приложению требуется разрешение на доступ к Bluetooth, чтобы подключиться к вашему платёжному терминалу. Вы можете предоставить такое разрешение в разделе Woo системного приложения «Настройки»."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Платёжный терминал Bluetooth уже сопряжён с другим устройством. Необходимо сбросить сопряжение платёжного терминала, чтобы подключиться к этому устройству."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Недействительный индикатор местоположения подключения Bluetooth."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Этому приложению требуется разрешение на доступ к Bluetooth, чтобы подключиться к вашему платёжному терминалу. Вы можете предоставить такое разрешение в разделе Woo системного приложения «Настройки»."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Информация о сопряжении этого устройства удалена из платёжного терминала. Попробуйте удалить платёжный терминал в настройках iOS."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Платёжный терминал Bluetooth отключён, и выполняется попытка повторного подключения."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Операция уже выполнена и не может быть отменена."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Функция смахивания карты недоступна."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Обратитесь в службу поддержки: операционной системе не разрешено выполнять эту команду."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Держатель карты должен дать согласие на совершение этой операции."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "При получении токена подключения произошла ошибка."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Время запроса токена подключения истекло."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Обратитесь в службу поддержки: эта функция недоступна."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Пересылка действительного платежа в тестовом режиме запрещена."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Пересылка тестового платежа в рабочем режиме запрещена."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac не поддерживается в автономном режиме."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Произошла неизвестная ошибка сети."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Время подключения платёжного терминала к Интернету истекло. Убедитесь, что ваше устройство и платёжный терминал подключены к одной и той же сети Wi-Fi и что подключение платёжного терминала к сети Wi-Fi функционирует правильно."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Обратитесь в службу поддержки: секретный код клиента недействителен."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Обратитесь в службу поддержки: недопустимая конфигурация обнаружения."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "Недопустимый идентификатор местоположения."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Обновление платёжного терминала невозможно."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Обратитесь в службу поддержки: параметры возврата денежных средств недействительны."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Обратитесь в службу поддержки: обязательный параметр недействителен."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Платёжному терминалу не удалось считать данные указанного способа платежа. Если эта ошибка возникает неоднократно, возможно, платёжный терминал неисправен. Обратитесь в службу поддержки."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Обратитесь в службу поддержки: отсутствует намерение платежа."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Обратитесь в службу поддержки: отсутствует способ возврата денежных средств."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Обратитесь в службу поддержки: отсутствует намерение настройки."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Попытка подтвердить платёж в автономном режиме. Определено, что срок действия карты истёк."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Необходимо обеспечить стабильное сетевое подключение во время приёма и подтверждения платежей."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Тестовая карта используется в режиме реального времени, будучи офлайн."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Попытка подтвердить платёж в автономном режиме. Не удалось подтвердить карту."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Онлайн PIN-коды не поддерживаются в автономном режиме. Повторите платёж, используя другую карту."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Карта не была предъявлена в указанный срок."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Неправильная конфигурация подключения платёжного терминала."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "В платёжном терминале отсутствуют ключи шифрования, необходимые для приёма платежей. Терминал отключён и перезагружен. Снова подключитесь к платёжному терминалу и повторите попытку установки ключей шифрования. Если устранить проблему не удалось, обратитесь в службу поддержки."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Не удалось обновить ПО платёжного терминала: обновление устарело. Отключите и затем вновь подключите платёжный терминал, чтобы получить последнее обновление."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Обратитесь в службу поддержки: недействительный параметр ввода чаевых на платёжном терминале."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Возврат средств не выполнен. Банку или эмитенту карты клиента не удалось обработать платёж (возможно, счёт в банке закрыт или имеется проблема с картой)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Обратитесь в службу поддержки: ошибка при декодировании ответа Stripe API."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Связанная учётная запись Apple ID деактивирована."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Непредвиденная ошибка в платёжном терминале."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Найденный платёжный терминал не имеет IP-адреса и не может быть подключён."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Купоны"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Плагины"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Слишком короткий штрихкод"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "Частичное сканирование штрихкода"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Не удалось выполнить запрос к сети"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Сканирован неизвестный товар"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Не удалось прочитать штрихкод"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Сбой сканирования"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Неподдерживаемый тип товара"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Купон не применён"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Сканирование штрихкодов"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Подождите немного"; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Готово"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Сканирование штрихкодов"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "Чтобы быстро сформировать корзину, можно сканировать штрихкоды внешним сканером."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Подробнее."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "«Подробнее», ссылка."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• Настройте штрихкоды в поле «GTIN, UPC, EAN, ISBN» в разделе «Товары > Сведения о товаре > Запасы». "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "Первое: настройте штрихкоды в поле «G-T-I-N, U-P-C, E-A-N, I-S-B-N», перейдя в раздел «Товары», затем в «Сведения о товаре» и «Запасы»."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• Сканируйте штрихкоды в списке товаров, чтобы добавлять товары в корзину."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Четвёртое: сканируйте штрихкоды в списке товаров, чтобы добавлять товары в корзину."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "Сканер эмулирует клавиатуру, поэтому время от времени он препятствует отображению программной клавиатуры, например при поиске. Коснитесь значка клавиатуры, чтобы она снова отображалась."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• Чтобы установить режим HID, следуйте инструкциям сканера штрихкодов Bluetooth."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "Второе: чтобы установить режим H-I-D, следуйте инструкциям сканера штрихкодов Bluetooth."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• Подключите сканер штрихкодов в настройках Bluetooth iOS."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Третье: подключите сканер штрихкодов в настройках Bluetooth iOS."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "Нажмите на товар, чтобы \n добавить его в корзину"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Популярные товары"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Поиск по магазину"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Недавние запросы поиска"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Купонов не найдено"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Обновить"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Чтобы добавить товар, выйдите из POS и откройте «Товары»"; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Создать купон"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "ОК"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Очистить поле поиска"; @@ -12674,9 +12231,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Готово"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Помощь и техническая поддержка"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Понятно"; @@ -13046,9 +12600,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Заказы"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Оформление заказа"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Закрыть"; @@ -13457,8 +13008,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "Доставка %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "Дополнительная обработка (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Требуется подпись совершеннолетнего лица (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Требуется подпись совершеннолетнего лица (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "Углеродно-нейтральный (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d раб. дн."; @@ -13478,8 +13035,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Страхование (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "Доставка в субботу (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Требуется подпись (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "Требуется подпись (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Отслеживание"; diff --git a/WooCommerce/Resources/sv.lproj/Localizable.strings b/WooCommerce/Resources/sv.lproj/Localizable.strings index ad9c4879722..30cedf0d9cf 100644 --- a/WooCommerce/Resources/sv.lproj/Localizable.strings +++ b/WooCommerce/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-18 14:54:04+0000 */ +/* Translation-Revision-Date: 2025-06-27 14:48:27+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: sv_SE */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ – %2$@ (till kund)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "Kopia av %1$@"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ om att ta emot betalningar med din mobila enhet och att beställa kortläsare."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@ om domäner och hur man vidtar domänrelaterade åtgärder."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@ om att verifiera din information med WooPayments."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Ett tullformulär måste skrivas ut och inkluderas i denna internationella försändelse"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Ett live-kort användes på en webbplats i testläge. Använd ett testkort istället."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "En nätverksfel uppstod. Kontrollera din anslutning och försök igen."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "LÄGG TILL ALTERNATIV"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ADRESS"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "HJÄLP"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Återställning av övergiven varukorg"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Kontoinställningar"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Kontotyp"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Konto anslutet"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Lägg till variation"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Lägg till en domän"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Lägg till ett nytt kreditkort"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Belopp berättigat för återbetalning"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Betalt belopp"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Ett Apple-ID kan endast användas för att uppgradera en butik"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Ett fel inträffade när kontot skulle avslutas."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Det gick inte att komma åt Bluetooth – aktivera Bluetooth och försök igen"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "En identisk transaktion skickades nyligen. Om du vill fortsätta, prova en annan betalningsmetod"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "En bild kunde inte laddas upp"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "En felaktig PIN-kod har angetts för många gånger. Prova en annan betalningsmetod"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "En felaktig PIN-kod har angetts. Försök igen eller använd en annan betalningsmetod"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Ett valfritt meddelande som kan skickas till kunden efter köpet"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Programloggar"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Applikationsnamn"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Kortläsarmanualer"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Kortet lämnades i läsaren – avlägsna kortet och för in det igen"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Kortet togs bort för snabbt – försök genomföra transaktionen igen"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "Avbryt"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Ort saknas"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Gör anspråk på domän"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Gör anspråk på din gratisdomän"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Klass 1 – Paket med leksaksdrivmedel\/säkerhetssäkringar"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Grattis, du har läst allt!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Grattis till dina köp"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Grattis! Du är ett steg närmare att få den nya butiken redo."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Ansluter till läsare"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Tidsgränsen för anslutningen till kortläsaren uppnåddes – se till att enheten finns i närheten och är laddad och försök sedan igen"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Ansluter till ditt konto"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Fortsätt"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Datumintervall"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Datum för betalning"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Datum skickat"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "Rabatt"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "Rabatt %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "Rabattyp"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Dokument"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Domäner"; - /* Country option for a site address. */ "Dominica" = "Dominica"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Klar"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Feedback skickad!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Avgifter"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Hämtar variationer..."; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Glömt lösenordet?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Formulärvalideringsfel"; - /* Next web page */ "Forward" = "Vidarebefodra"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Gratis provperiod"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "Gratis första året"; - /* Country option for a site address. */ "French Guiana" = "Franska Guinea"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Personliga betalningar"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Köp i appen"; - /* Application's Inactive State */ "Inactive" = "Inaktiv"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Infoga"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Sätt in kort"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Placera in horisontell linje"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Infoga länk"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "För in eller dra kort"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Sätt i kort för att betala"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Lettland"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Starta Wormholy-felsökning"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Lansera din butik"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambique"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Flera kontaktlösa kort upptäckta"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Flera butiker"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Inga kampanjer ännu"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Ingen kortläsare är ansluten – anslut en läsare och försök igen"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Ingen kategori vald"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Inga anslutningsproblem"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "Ingen anslutning till Internet – anslut till Internet och försök igen"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Inga rabattkoder hittades"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Kundmeddelande"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Anteckningar"; - /* Default message for empty media picker */ "Nothing to show" = "Inget att visa"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Betalning totalt"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Betalningen avvisades på grund av otillräckliga medel. Prova en annan betalningsmetod"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Betalning misslyckades"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Betalningsmetod"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Betalning lyckades"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Betalningen avvisades av okänd anledning. Prova en annan betalningsmetod"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Betalningen avvisades av ospecificerad anledning. Prova en annan betalningsmetod"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Ladda läsare"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Kontrollera att din telefon uppfyller dessa krav: iPhone XS eller senare som kör iOS 16.7 eller senare. Kontakta supporten om det här felet visas på en enhet som stöds."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Kontrollera att ditt Apple-ID är giltigt och försök sedan igen. Ett giltigt Apple-ID krävs för att godkänna Apples användarvillkor"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Anslut Jetpack via din adminsida i en webbläsare eller kontakta supporten."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Kontakta supporten för hjälp."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Kontakta supporten – det uppstod ett problem med att starta Tryck för att betala på iPhone"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Kontakta webbplatsens ägare för en inbjudan till webbplatsen som butikschef eller administratör för att använda appen."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Välj ett paket"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Logga in i iCloud på den här enheten för att använda Tryck för att betala på iPhone"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Försök igen senare eller kontakta oss så hjälper vi dig gärna!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Försök igen eller kontakta oss så hjälper vi dig gärna!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Försök igen, och godkänn Apples användarvillkor så att du kan använda Tryck för att betala på iPhone"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Försök igen eller kontakta support för hjälp"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Försök igen. Alternativt kan du installera Jetpack från WP-admin."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Prova med en annan sökning."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Uppdatera din läsares programvara för att fortsätta ta emot betalningar"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Priser uppdaterades utan problem."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Primär webbplatsadress"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Skriv ut"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Orsak till återbetalning av order"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Kvitto"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "Kvitto från %1$@"; - /* No comment provided by engineer. */ "Recurring payments'" = "Återkommande betalningar'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Återskapa rabattkod"; -/* Title of the domain contact info form. */ -"Register domain" = "Registrera domän"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Ordinarie pris"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Ta bort attribut"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Ta bort kort"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "Ta bort rabatt"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Byt namn på attribut"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "Förnyas %1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Byt ut foto"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Försök igen efter uppdatering"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Prova att använda kortet igen"; - /* Action button to check site's connection again. */ "Retry Connection" = "Försök ansluta igen"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS skickat"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "FÖRSLAG"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Sök rabattkoder"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Sök domäner"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Sök efter en domän"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Sök efter en befintlig kund eller"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Skickad %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Några e-postadresser är inte giltiga."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Ett oväntat fel har uppstått med valideringen. Kontrollera fälten och försök igen."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Någon"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Denna betalning kunde inte behandlas"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Denna betalning kunde inte behandlas."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Denna återbetalning kan inte avbrytas"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Det gick inte att behandla återbetalningen."; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Användarnamn måste innehålla bokstäver (a-z) också!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Vi kunde inte slutföra den här åtgärden, eftersom ingen aktiv betalning hittades."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Det gick inte att ansluta till läsaren. Försök igen."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Vi kunde tyvärr inte starta Tryck för att betala på iPhone. Kontrollera din anslutning och försök igen."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Prenumerationer"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Summa av produkter och förpackningsvikt"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Sammanfattning"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Sammanfattning: Beställning #%1$@"; - /* Country option for a site address. */ "Suriname" = "Surinam"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "Sverige"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Dra kort"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Växla butik"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Systemstatusrapport kopierad till urklipp"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Systemtestkort är inte tillåtna för betalning. Prova en annan betalningsmetod"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé och Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "Tryck för att betala på iPhone"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tryck för att betala på iPhone kan inte användas under ett telefonsamtal. Försök igen när du har avslutat samtalet."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Tryck för att betala på iPhone är redo"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Momsstatus"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Momser"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Användarvillkor"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Testa köp i appen medan vi gör oss redo för lansering"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Testa att visa Beställningstillägg när vi gör oss redo att lansera"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "%1$@-utökningen är installerad för din butik, men behöver uppdateras för att ta emot personliga betalningar. Uppdatera den till den senaste versionen."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Bluetooth-anslutningen till kortläsaren kopplades oväntat från"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Google-kontot ”%@” matchar inte något konto på WordPress.com"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Det gick inte att hämta beställningen!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Beloppet stöds inte för Tryck för att betala på iPhone – prova en maskinvaruläsare eller en annan betalningsmetod."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "Appen kunde inte aktivera Tryck för att betala på iPhone, eftersom NFC-chippet är inaktiverat. Kontakta supporten för mer information."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Attributet kunde inte tas bort."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Attributet kunde inte sparas."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "Kortet stöder inte denna valuta. Prova en annan betalningsmetod"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "Kortet stöder inte denna typ av köp. Prova en annan betalningsmetod"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "Kortet har löpt ut. Prova en annan betalningsmetod"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "Kortet eller kortkontot är ogiltigt. Prova en annan betalningsmetod"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Kortläsaren är upptagen med att utföra ett annat kommando – försök igen"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Kortläsaren är inte kompatibel med denna applikation – försök att uppdatera applikationen eller använd en annan läsare"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "Kortläsarens sessions har löpt ut – koppla från kortläsaren, återanslut den och försök sedan igen"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Kortläsarens programvara behöver uppdateras – uppdatera kortläsarens programvara innan du försöker behandla betalningar"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Kortläsarens programvara behöver uppdateras – uppdatera kortläsarens programvara innan du försöker behandla betalningar."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Kortläsarens programvara behöver uppdateras – uppdatera kortläsarens programvara innan du försöker behandla återbetalningar"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "Uppdateringen av kortläsarens programvara misslyckades på grund av ett kommunikationsfel – försök igen"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "Uppdateringen av kortläsarens programvara misslyckades på grund av ett problem med uppdateringsservern – försök igen"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "Uppdateringen av kortläsarens programvara misslyckades oväntat – försök igen"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "Uppdateringen av kortläsarens programvara avbröts innan den kunde slutföras – försök igen"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "Kortet avvisades av kortläsaren – prova en annan betalningsmetod"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "Kortet avvisades av kortläsaren – prova en annan betalningsmetod."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "Kortet avvisades av kortläsaren – prova en annan återbetalningsmetod"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "Kortet avvisades av iPhone-kortläsaren – prova en annan betalningsmetod"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "Kortet avvisades av betalningsbehandlaren – prova en annan betalningsmetod."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Certifikatet för den här servern är inte giltigt. Det kan hända att du ansluter till en server som påstår sig vara \"%@\", vilket kan försätta din sekretessbelagda information i fara.\n\nVill du lita på certifikatet i alla fall?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Rabattkoden kan inte vara tom"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Valutan stöds inte för Tryck för att betala på iPhone – prova en maskinvaruläsare eller en annan betalningsmetod."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Kunden kommer att få e-post när beställningen är slutförd"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Den köpta domänen kommer att omdirigera användare till **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Den köpta domänen kommer att omdirigera användare till den nuvarande mellanlagringsdomänen"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Den köpta domänen kommer att omdirigera användare till din primära adress."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Första gången du använder Tryck för att betala på iPhone kan du bli ombedd att godkänna Apples användarvillkor."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Betalningsbeloppet är inte tillåtet för det aktuella kortet. Prova en annan betalningsmetod."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Betalningen kan inte behandlas av betalningsbehandlaren."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "Betalkortet togs bort för tidigt, försök igen."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Betalningsmetoden stöder inte automatiska återbetalningar. Slutför återbetalningen genom att överföra pengarna till kunden manuellt."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Betalningen avbröts på läsaren"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Betalningen har avbrutits."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Återbetalningen kan inte behandlas av betalningsbehandlaren."; -/* Error message when a request times out. */ -"The request timed out - please try again." = "Tidsgränsen för begäran uppnåddes – försök igen"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Begäran om att generera applikationslösenord är inte auktoriserad."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Lagermängden för den här produkten. Redigerbar."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Butikens adress är ofullständig eller saknas, uppdatera den innan du fortsätter."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Butikens postnummer är ogiltigt eller saknas, uppdatera det innan du fortsätter."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Systemet avbröt oväntat kommandot – försök igen"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Systemet stötte på ett oväntat programvarufel"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Systemstatusrapporten för din webbplats kan inte hämtas för tillfället. Försök igen."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "Transaktionens postnummer och kortets postnummer matchar inte. Prova en annan betalningsmetod"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Provperiodsbetalningen kunde inte initieras. Försök igen, eller kontakta supporten om det här problemet kvarstår."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Det gick inte att ta emot betalningen."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Det uppstod ett problem med att förbereda användningen av Tryck för att betala på iPhone – försök igen."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Tredjepartslicenser"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Den här appen har endast stöd för användarrollerna Administratör och Butikschef. Kontakta butiksägaren för att uppgradera din roll."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Detta kort kräver en PIN-kod och kan därför inte behandlas. Prova en annan betalningsmetod"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Detta kan bero på att din butik har några extra säkerhetssteg på plats."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Denna artikel är för närvarande i förpackning %1$d: %2$@. Vart vill du flytta den?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Den här betalningen har redan slutförts – kontrollera beställningsinformationen."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Det gick inte att hämta produkten"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Försök med en annan adress"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Prova ett annat kort"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Prova en annan metod"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Prova auktorisera igen"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Prova igen med WP-adminsida"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Prova en annan betalningsmetod"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Försök att ansluta igen för att komma åt din butik."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Prova med webbplatsens adress"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Det kan fungera att försöka igen, eller så kan du prova en annan betalningsmetod"; - /* Country option for a site address. */ "Tunisia" = "Tunisien"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Skriv ett namn för din butik"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "Typ av innehåll"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Kan inte ansluta"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Det gick inte att komma åt Bluetooth – aktivera Bluetooth och försök igen"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Det gick inte att komma åt Platstjänster – aktivera Platstjänster och försök igen"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Kan inte lägga till rabattkod."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "Det gick inte att ändra status på order nummer%1$d"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Kan inte kommunicera med läsare – försök igen"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Kan inte ansluta till kortläsare – kortläsaren används redan"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Kan inte ansluta till läsare – en annan läsare är redan ansluten"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Kan inte ansluta till läsare – läsaren har ett kritiskt lågt batteri – ladda läsaren och försök igen."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Kan inte skapa ny beställning"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "Kan inte markera recension som %@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Begäran kunde inte utföras med den anslutna läsaren – funktionen stöds inte – försök igen med en annan läsare"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Programvarubegäran kunde inte utföras – uppdatera applikationen och försök igen"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Kan inte behandla betalning på grund av ogiltig data – försök igen"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Det gick inte att bearbeta betalningen. Det totala beloppet för beställningen understiger minimibeloppet för debitering, vilket är %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Det gick inte att behandla betalningen. Vi kunde inte hämta den senaste beställningsinformationen. Kontrollera din nätverksanslutning och försök igen. Underliggande fel: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Det gick inte att läsa kortet – systemets tidsgräns uppnåddes – försök igen"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Kan inte att läsa det isatta kortet – försök att ta bort och sätta i kortet igen"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Det gick inte att läsa det använda kortet – försök använda kortet igen"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Kunde inte läsa WordPress-webbplatsen på denna URL. Tryck på \"Behöver du hjälp?\" för att visa Vanliga frågor."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Det gick inte att spara ändringarna. Försök igen."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Det gick inte att söka efter kortläsare – Bluetooth Low Energy stöds inte på den här enheten – använd en annan enhet"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Det gick inte att söka efter kortläsare – Bluetooth-tidsgränsen uppnåddes – försök igen"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Det går inte att ange kundinformation."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Kan inte uppdatera adress."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Det gick inte att uppdatera kortläsarprogramvaran – batterinivån i läsaren är för låg"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Kan inte uppdatera pris"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Vi kunde inte verifiera leveransadressen automatiskt. Visa i Apple Maps för att verifiera att adressen stämmer."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Vi kunde inte göra ett nytt betalningsförsök – börja om igen."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Vi lyckades inte skicka dig något e-postmeddelande just nu. Försök igen senare."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Du kan redigera produkttillägg i webbadminpanelen."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Du kan hitta domäninställningarna i menyn > Inställningar"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Du kan hantera snabbt och enkelt."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Du har inte behörighet att hantera tillägg på denna butik."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Ditt paket inkluderar en gratis domännamnsregistrering i ett år."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Du har en ny beställning! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Du måste lägga till ett lösenord för att göra produkten lösenordsskyddad"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Du behöver ställa in en låsskärmslösenkod för att använda Tryck för att betala på iPhone"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "Det verkar som att du har installerat ett mobiltillägg från DudaMobile som förhindrar att appen ansluter till din blogg"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "Din e-post används inte med ett WordPress.com-konto"; -/* Title of the free domain view. */ -"Your free store address" = "Din kostnadsfria butiksadress"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Din gratis provperiod har upphört"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Adressen till din webbplats visas i fältet överst på skärmen när du besöker din webbplats i Safari."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Din webbplatsadress håller på att konfigureras. Det kan dröja upp till 30 minuter innan din domän börjar fungera."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Domänerna för din webbplats"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Det tar lång tid för din webbplats att svara"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Visa alla kampanjer"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Den här appen behöver ha behörighet att använda Bluetooth för att ansluta till din kortläsare. Du kan ge behörighet i avsnittet Woo i systemets app för Inställningar."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Bluetooth-läsaren är redan parkopplad med en annan enhet. Du måste återställa läsarens parkoppling för att den ska kunna anslutas till den här enheten."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Bluetooth-anslutningen har ett ogiltigt plats-ID."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Den här appen behöver ha behörighet att använda Bluetooth för att ansluta till din kortläsare. Du kan ge behörighet i avsnittet Woo i systemets app för Inställningar."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Läsaren har tagit bort enhetens parkopplingsinformation. Försök med att glömma läsaren i iOS-inställningarna."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Bluetooth-läsaren har kopplats bort och vi försöker återansluta."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "Processen kunde inte avbrytas eftersom den redan var slutförd."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Kortläsningsfunktionen är inte tillgänglig."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Kontakta supporten. Operativsystemet tillåter inte att kommandot utförs."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Kortinnehavaren måste ge sitt samtycke för att åtgärden ska kunna genomföras."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Ett fel uppstod vid hämtning av anslutningstoken."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Begäran om anslutningstoken avbröts då tidsgränsen uppnåddes."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Kontakta supporten. Funktionen är inte tillgänglig."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Det är förbjudet att vidarebefordra en live-betalning i testläge."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Det är förbjudet att vidarebefordra en testbetalning i live-läge."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac stöds inte i offlineläge."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Ett okänt nätverksfel uppstod."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "Anslutningen till läsaren via internet avbröts då tidsgränsen uppnåddes. Se till att din enhet och läsaren är anslutna till samma Wifi-nätverk och att läsaren är ansluten till Wifi-nätverket."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Kontakta supporten. Klienthemligheten är ogiltig."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Kontakta supporten. Konfigurationen för upptäckt är ogiltig."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "Plats-ID är ogiltigt."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Läsaren för uppdateringen är ogiltig."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Kontakta supporten. Parametrarna för återbetalning är ogiltiga."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Kontakta supporten. En obligatorisk parameter är ogiltig."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Läsaren kunde inte läsa data från den betalningsmetod som angetts. Om du får det här felet upprepade gånger kan det vara fel på läsaren och du bör kontakta supporten."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Kontakta supporten. Betalningsavsikten saknas."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Kontakta supporten. Återbetalningsmetoden saknas."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Kontakta supporten. Installationsavsikten saknas."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Bekräftelse av en betalning offline när kortet har identifierats som utgånget."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Se till att nätverksanslutningen är stabil när betalningar genomförs och bekräftas."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Ett testkort används i live-läge medan det är offline."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Bekräftelse av en betalning offline när verifiering av kortet misslyckades."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "PIN-kod online stöds inte i offlineläge. Försök att betala med ett annat kort."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Inget kort angavs inom tidsgränsen."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Konfigurationen för läsarens anslutning är ogiltig."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Läsaren saknar de krypteringsnycklar som krävs för att ta emot betalningar, och den har kopplats bort och startats om. Återanslut till läsaren för att försöka installera nycklarna på nytt. Kontakta supportavdelningen om felet kvarstår."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Uppdateringen av läsarens programvara misslyckades eftersom uppdateringen har löpt ut. För att hämta en ny uppdatering måste du koppla från och återansluta läsaren."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Kontakta supporten. Parametern för att ge dricks i läsaren är ogiltig."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Återbetalningen misslyckades. Kundens bank eller kortutgivare kunde inte behandla den korrekt (till exempel om bankkontot avslutats eller om det uppstått problem med kortet)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Kontakta supporten. Det uppstod ett fel vid avkodningen av svaret från Stripe API."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Det länkade Apple ID-kontot har inaktiverats."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Ett oväntat fel uppstod med läsaren."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Den läsare som returnerats från identifiering har ingen IP-adress och det går inte att ansluta till den."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Rabattkoder"; @@ -11352,6 +10852,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Tillägg"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Streckkod för kort"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Nätverksbegäran misslyckades"; @@ -11364,6 +10867,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Okänt skannat objekt"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Kunde inte läsa streckkod"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Skanning misslyckades"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Objekttypen stöds inte"; @@ -11709,6 +11218,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Rabattkod ej tillämpad"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Streckkodsskanning"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Vänta"; @@ -11790,6 +11302,15 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Klar"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Streckkodsskanning"; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Mer detaljer."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Mer detaljer, länk."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "Klicka på en produkt för att \n lägga till den i varukorgen"; @@ -11889,9 +11410,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Populära produkter"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Sök i din butik"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Senaste sökningarna"; @@ -11910,6 +11428,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Inga rabattkoder hittades"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Uppdatera"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "För att lägga till en, avsluta POS och gå till produkter."; @@ -11940,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Skapa rabattkod"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "OK"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Rensa sök"; @@ -11967,6 +11491,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "Slut i lager"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "Ny beställning"; @@ -12674,9 +12201,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Klar"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Hjälp och support"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Uppfattat"; @@ -13046,9 +12570,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Beställningar"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Kassa"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Avfärda"; @@ -13458,7 +12979,7 @@ which should be translated separately and considered part of this sentence. */ "wooShipping.createLabels.shipmentFormat" = "Försändelse %1$d"; /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Vuxen signatur krävs (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Vuxen signatur krävs (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d arbetsdag"; @@ -13479,7 +13000,7 @@ which should be translated separately and considered part of this sentence. */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Försäkring (%1$@)"; /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "Signatur krävs (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "Signatur krävs (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "Spårning"; diff --git a/WooCommerce/Resources/tr.lproj/Localizable.strings b/WooCommerce/Resources/tr.lproj/Localizable.strings index 8604a4ad53c..697d7f175ba 100644 --- a/WooCommerce/Resources/tr.lproj/Localizable.strings +++ b/WooCommerce/Resources/tr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-16 18:54:05+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:05+0000 */ /* Plural-Forms: nplurals=2; plural=(n > 1); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: tr */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (Müşteriye)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ Kopyası"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "Mobil cihazınızla ödeme kabul etme ve kart okuyucu sipariş etme hakkında %1$@."; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "Alan adları ve alan adlarıyla ilgili işlemlerin nasıl yapılacağı hakkında %1$@."; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "Bilgilerinizi WooPayments ile doğrulama hakkında %1$@."; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "Bu uluslararası gönderiye bir gümrük formu yazdırılmalı ve eklenmelidir."; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "Test modunda bir sitede canlı kart kullanıldı. Bunun yerine bir test kartı kullanın."; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "Bir ağ sorunu meydana geldi. Lütfen bağlantınızı kontrol edip tekrar deneyin."; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "SEÇENEK EKLE"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "ADRES"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "YARDIM"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "Terk edilmiş sepeti kurtarma"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "Hesap ayarları"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "Hesap Türü"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "Hesap bağlandı"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "Varyasyon Ekle"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "Alan adı ekle"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "Yeni bir kredi kartı ekle"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "Geri Ödenebilecek Tutar"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "Ödenen Miktar"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "Bir Apple Kimliği, yalnızca bir mağazayı yükseltmek için kullanılabilir"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "Hesap kapatılırken bir hata oluştu."; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "Bluetooth'a erişimde bir hata oluştu - lütfen Bluetooth'u etkinleştirin ve tekrar deneyin"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "Yakın zamanda benzer bir işlem gönderildi. Devam etmek istiyorsanız başka bir ödeme yöntemi deneyin"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "Bir görsel yüklenemedi"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "Birçok kez yanlış PIN girildi. Başka bir ödeme yöntemi deneyin"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "Yanlış PIN girildi. Yeniden deneyin veya başka bir ödeme yöntemi kullanın"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "Satın alma işleminden sonra müşteriye göndermek için isteğe bağlı not"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "Uygulama Günlükleri"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "Uygulama Adı"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "Kart okuyucu kılavuzları"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "Kart okuyucuda kaldı - lütfen kartı çıkarıp yeniden takın"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "Kart çok erken çıkarıldı - lütfen işlemi tekrar deneyin"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "İptal Et"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "Şehir eksik"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "Alan Adı Al"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "Ücretsiz alan adınızı talep edin"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "Sınıf 1 - Oyuncak İtici\/Güvenlik Fünyesi Paketi"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "Tebrikler, her şeyi okudunuz!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "Satın aldığınız için tebrikler"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "Tebrikler! Yeni mağazayı hazır hale getirmeye bir adım daha yaklaştınız."; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "Okuyucuya bağlanılıyor"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "Kart okuyucuya bağlanma işlemi zaman aşımına uğradı - yakında olduğundan ve şarj edildiğinden emin olduktan sonra tekrar deneyin"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "Hesabınıza bağlanılıyor"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "Devam et"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "Tarih aralığı"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "Ödeme tarihi"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "Gönderim tarihi"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "İndirim"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "İndirim %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "İndirim Türü"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "Belgeler"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "Alan adları"; - /* Country option for a site address. */ "Dominica" = "Dominika"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "Bitti"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "Geri Bildirim Gönderildi"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "Masraflar"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "Varyasyonlar Getiriliyor…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "Şifrenizi mi unuttunuz?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "Form Doğrulama Hatası"; - /* Next web page */ "Forward" = "Yönlendir"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "Ücretsiz Deneme Süresi"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "İlk yıl ücretsiz"; - /* Country option for a site address. */ "French Guiana" = "Fransız Guyanası"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "Şahsen Ödemeler"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "Uygulama içi satın alma işlemleri"; - /* Application's Inactive State */ "Inactive" = "Etkin değil"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "Ekle"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "Kartı Takın"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "Yatay Cetvel Yerleştir"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "Bağlantı Ekle"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "Kartı Takın veya Geçirin"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "Ödemek için kartı yerleştirin"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "Letonya"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "Wormholy hata bulmayı başlat"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "Mağazanızı yayınlayın"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "Mozambik"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "Birden Fazla Temassız Kart Algılandı"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "Birden Fazla Mağaza"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "Henüz kampanya yok"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "Bağlı kart okuyucu yok - bir okuyucu bağlayın ve tekrar deneyin"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "Kategori seçilmedi"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "Bağlantı sorunu yok"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "İnternet bağlantısı yok - lütfen İnternete bağlanın ve tekrar deneyin"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "Kupon bulunamadı"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "Müşteriye not"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "Notlar"; - /* Default message for empty media picker */ "Nothing to show" = "Gösterilecek bir şey yok"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "Ödeme Toplamı"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "Ödeme yetersiz bakiye nedeniyle reddedildi. Başka bir ödeme yöntemi deneyin"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "Ödeme başarısız"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "Ödeme yöntemi"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "Ödeme başarılı"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "Ödeme bilinmeyen bir nedenle reddedildi. Başka bir ödeme yöntemi deneyin"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "Ödeme belirtilmeyen bir nedenle reddedildi. Başka bir ödeme yöntemi deneyin"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "Lütfen okuyucuyu şarj edin"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "Lütfen telefonunuzun bu gereksinimleri karşılayıp karşılamadığını kontrol edin: iOS 16.7 veya üst sürümü yüklü iPhone XS veya daha yeni modeli. Desteklenen bir cihazda bu hata gösterilirse desteğe başvurun."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "Lütfen Apple Kimliğinizin geçerliliğini kontrol edin ve tekrar deneyin. Apple'ın Hizmet Koşullarını kabul etmek için geçerli bir Apple Kimliği gereklidir."; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "Lütfen bir tarayıcıdan yönetici sayfanız aracılığıyla Jetpack'i bağlayın veya destek ile iletişime geçin."; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "Yardım için lütfen destek birimine başvurun."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "Lütfen destekle iletişime geçin. Tap to Pay on iPhone özelliği başlatılırken bir sorun oluştu"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "Uygulamayı kullanmak için mağaza yöneticisi veya yönetici olarak siteye davet için lütfen site sahibiyle iletişime geçin."; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "Lütfen bir paket seçin"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "Tap to Pay on iPhone özelliğini kullanmak için lütfen bu cihazda iCloud'a giriş yapın"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "Lütfen daha sonra tekrar deneyin veya bize ulaşın, size yardımcı olmaktan memnuniyet duyarız."; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "Lütfen tekrar deneyin veya bize ulaşın, size yardımcı olmaktan memnuniyet duyarız!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "Lütfen tekrar deneyin ve Tap to Pay on iPhone özelliğini kullanabilmeniz için Apple'ın Hizmet Koşullarını kabul edin"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "Lütfen tekrar deneyin veya yardım için destek birimine başvurun"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "Lütfen yeniden deneyin. Alternatif olarak, Jetpack'i WP-Admin'iniz aracılığıyla yükleyebilirsiniz."; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "Lütfen başka bir sorgu deneyin."; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "Ödemeleri kabul etmeye devam edebilmek için lütfen okuyucu yazılımınızı güncelleyin"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "Fiyatlar başarıyla güncellendi."; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "Birincil site adresi"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "Yazdır"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "Siparişin para iadesinin nedeni"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "Makbuz"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "%1$@ kaynağından makbuz"; - /* No comment provided by engineer. */ "Recurring payments'" = "Tekrarlanan ödemeler"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "Kupon Kodunu Yeniden Oluştur"; -/* Title of the domain contact info form. */ -"Register domain" = "Alan adını kaydet"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "Normal Fiyat"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "Niteliği kaldır"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "Kartı Kaldır"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "İndirimi Kaldır"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "Niteliği Yeniden Adlandır"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "%1$@ tarihinde yenilenir"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "Fotoğrafı Değiştir"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "Güncellemeden Sonra Tekrar Dene"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "Kartı Yeniden Dene"; - /* Action button to check site's connection again. */ "Retry Connection" = "Bağlantıyı Yeniden Dene"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "SMS Gönderildi"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "ÖNERİLER"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "Kuponları ara"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "Alan adı ara"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "Bir Alan Adı Ara"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "Mevcut müşteri ara veya"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "Sevkiyat tarihi: %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "Bir e-posta adresi geçerli değil."; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "Doğrulamada beklenmeyen bir hata oluştu. Lütfen alanları kontrol edip tekrar deneyin."; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "Biri"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "Üzgünüz, ödemeniz işleme alınamadı"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "Üzgünüz, ödemeniz işleme alınamadı."; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "Maalesef bu geri ödeme iptal edilemedi"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "Maalesef bu geri ödeme işlenemedi"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "Üzgünüz, kullanıcı adlarında harf de (a-z) olması gerekir!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "Maalesef aktif bir ödeme olmadığı için bu işlemi tamamlayamadık."; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "Maalesef okuyucuya bağlanılamadı. Lütfen tekrar deneyin."; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "Üzgünüz, Tap to Pay on iPhone'u başlatamadık. Lütfen bağlantınızı kontrol edip tekrar deneyin."; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "Abonelikler"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "Ürünlerin toplamı ve paket ağırlığı"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "Özet"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "Özet: %1$@ numaralı sipariş"; - /* Country option for a site address. */ "Suriname" = "Surinam"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "İsveç"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "Kartı Geçirin"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "Mağaza Değiştir"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "Sistem durum raporu panoya kopyalandı"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "Sistem test kartlarına ödeme yapılmasına izin verilmiyor. Başka bir ödeme yöntemi deneyin"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "São Tomé ve Príncipe"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "iPhone'da Öde'ye için Dokun"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "Tap to Pay on iPhone özelliği telefon araması sırasında kullanılamaz. Görüşmenizi bitirdikten sonra lütfen tekrar deneyin."; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "Tap to Pay on iPhone hazır"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "Vergi durumu"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "Vergiler"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "Hizmet Koşulları"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "Lansmana hazırlanırken uygulama içi satın alma işlemini test edin"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "Biz lansmana hazırlanırken, Sipariş Eklentilerini görüntüleme işlevini test edin"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "%1$@ uzantısı mağazanızda yüklü, ancak Şahsen Ödemeler için güncellenmesi gerekiyor. Lütfen en son sürüme güncelleyin."; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "Kart okuyucuyla Bluetooth bağlantısı beklenmedik şekilde kesildi"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Google hesabı \"%@\" WordPress.com'daki hiçbir hesapla eşleşmiyor"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "Sipariş yüklenemedi!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone özelliği için tutar desteklenmiyor. Lütfen bir donanım okuyucu veya başka bir ödeme yöntemi deneyin."; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "NFC çipi devre dışı olduğu için Tap to Pay on iPhone özelliği etkinleştiremedi. Daha fazla ayrıntı için lütfen destek hizmetleriyle iletişime geçin."; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "Nitelik kaldırılamadı."; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "Özellik kaydedilemedi."; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "Kart bu para birimini desteklemiyor. Başka bir ödeme yöntemi deneyin"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "Kart bu satın alma türünü desteklemiyor. Başka bir ödeme yöntemi deneyin"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "Kartın süresi bitmiş. Başka bir ödeme yöntemi deneyin"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "Kart veya kart hesabı geçersiz. Başka bir ödeme yöntemi deneyin"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "Kart okuyucu başka bir komut yürütmekle meşgul - lütfen tekrar deneyin"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "Kart okuyucu bu uygulamayla uyumlu değil - lütfen uygulamayı güncellemeyi veya farklı bir okuyucu kullanmayı deneyin"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "Kart okuyucu oturumunun süresi doldu - lütfen kart okuyucunun bağlantısını kesip yeniden bağlayın ve ardından tekrar deneyin"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "Kart okuyucu yazılımı güncel değil - lütfen ödemeleri işleme koymadan önce kart okuyucu yazılımını güncelleyin"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "Kart okuyucu yazılımı güncel değil, lütfen ödemeleri işleme koymadan önce kart okuyucu yazılımını güncelleyin."; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "Kart okuyucu yazılımı güncel değil; lütfen geri ödemeleri işleme koymadan önce kart okuyucu yazılımını güncelleyin"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "Kart okuyucu yazılım güncellemesi bir iletişim hatası nedeniyle başarısız oldu - lütfen tekrar deneyin"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "Güncelleme sunucusundaki bir sorun nedeniyle kart okuyucu yazılım güncellemesi başarısız oldu - lütfen tekrar deneyin"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "Kart okuyucu yazılım güncellemesi beklenmedik bir şekilde başarısız oldu - lütfen tekrar deneyin"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "Kart okuyucu yazılım güncellemesi tamamlanamadan kesintiye uğradı - lütfen tekrar deneyin"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "Kart, kart okuyucusu tarafından reddedildi - lütfen başka bir ödeme yöntemi deneyin"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "Kart, kart okuyucusu tarafından reddedildi. Lütfen başka bir ödeme yöntemi deneyin."; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "Kart, kart okuyucusu tarafından reddedildi; lütfen başka bir geri ödeme yöntemi deneyin"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "Kart, iPhone kart okuyucu tarafından reddedildi - lütfen başka bir ödeme yöntemi deneyin."; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "Kart, ödeme işlemcisi tarafından reddedildi - lütfen başka bir ödeme yöntemi deneyin."; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "Bu sunucunun sertifikası geçersiz. “%@” taklidi yapan bir siteye bağlanıyor olabilirsiniz ki bu kişisel bilgilerinizin ele geçirilebilmesi açısından büyük bir risktir.\n\nSertifikaya güvenip devam etmek istiyor musunuz?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "Kupon kodu boş olamaz"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "Tap to Pay on iPhone özelliği için para birimi desteklenmiyor. Lütfen bir donanım okuyucu veya başka bir ödeme yöntemi deneyin."; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "Sipariş tamamlandığında müşteri bir e-posta alacak."; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "Satın alınan alan adı, kullanıcıları **%1$@** adresine yönlendirir."; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "Satın alınan alan, kullanıcıları mevcut bekleme alan alanına yönlendirir."; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "Satın alınan alan adı, kullanıcıları birincil adresinize yönlendirir."; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "Tap to Pay on iPhone'u ilk kez kullandığınızda, Apple'ın Hizmet Koşullarını kabul etmeniz istenebilir."; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "Belirtilen kart için ödeme tutarına izin verilmiyor Başka bir ödeme yöntemi deneyin."; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "Ödeme, ödeme işlemcisi tarafından işlenemiyor."; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "Ödeme kartı çok erken kaldırıldı, lütfen yeniden deneyin."; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "Ödeme yöntemi, otomatik iadeyi desteklemiyor. Parayı müşteriye elle aktararak iadeyi tamamlayın."; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "Ödeme, okuyucu üzerinden iptal edildi"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "Ödeme iptal edildi."; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "Geri ödeme, ödeme işlemcisi tarafından işlenemiyor. "; -/* Error message when a request times out. */ -"The request timed out - please try again." = "İstek zaman aşımına uğradı - lütfen tekrar deneyin"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "Uygulama şifresi oluşturma talebi yetkisi yok."; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "Bu ürünün stok miktarı Düzenlenebilir."; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "Mağaza adresi eksik, lütfen devam etmeden önce güncelleyin."; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "Mağaza posta kodu geçersiz veya eksik, lütfen devam etmeden önce kodu güncelleyin."; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "Sistem komutu beklenmedik bir şekilde iptal etti - lütfen tekrar deneyin"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "Sistem beklenmeyen bir yazılım hatasıyla karşılaştı"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "Sitenizin sistem durum raporu şu anda alınamıyor. Lütfen yeniden deneyin."; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "İşlem posta kodu ile kart posta kodu eşleşmiyor Başka bir ödeme yöntemi deneyin"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "Deneme ödemesi başlatılamadı, lütfen tekrar deneyin veya bu sorun devam ederse destekle iletişime geçin."; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "Ödeme tahsil edilmeye çalışılırken bir hata oluştu."; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "Tap to Pay on iPhone özelliğini kullanmaya hazırlanırken bir sorun oluştu. Lütfen tekrar deneyin."; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "Üçüncü Taraf Lisansları"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "Bu uygulama yalnızca Yönetici ve Mağaza Yöneticisi kullanıcı rollerini destekler. Rolünüzü yükseltmek için lütfen mağazanızın sahibiyle iletişime geçin."; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "Bu kart bir PIN kodu gerektirdiğinden işleme alınamıyor. Başka bir ödeme yöntemi deneyin"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "Bunun sebebi mağazanızda bazı ekstra güvenlik adımlarının olması olabilir."; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "Bu öğe şu anda %1$d Paketinde: %2$@. Bunu nereye taşımak istersiniz?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "Bu ödeme zaten tamamlandı. Lütfen sipariş ayrıntılarını kontrol edin."; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "Bu ürün yüklenemedi"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "Başka Bir Adres Deneyin"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "Başka Bir Kart Deneyin"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "Başka Bir Okuma Yöntemi Deneyin"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "Yeniden Yetkilendirmeyi Deneyin"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "Pano sayfasıyla tekrar deneyin"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "Başka bir ödeme yöntemi deneyin"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "Mağazanıza erişmek için tekrar bağlanmayı deneyin."; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "Site adresi ile deneyin"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "Tekrar denerseniz başarılı olabilir veya başka bir ödeme yöntemini deneyebilirsiniz"; - /* Country option for a site address. */ "Tunisia" = "Tunus"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "Tuvalu"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "Mağazanız için bir ad yazın"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "İçerik türü"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "Bağlanılamıyor"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "Bluetooth'a erişilemiyor - lütfen Bluetooth'u etkinleştirin ve tekrar deneyin"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "Konum Hizmetlerine erişilemiyor - lütfen Konum Hizmetlerini etkinleştirin ve tekrar deneyin"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "Kupon eklenemiyor."; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "%1$d no'lu siparişin durumu değiştirilemiyor"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "Okuyucuyla iletişim kurulamıyor - lütfen tekrar deneyin"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "Kart okuyucuya bağlanılamıyor - kart okuyucu zaten kullanılıyor"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "Okuyucuya bağlanılamıyor - başka bir okuyucu zaten bağlı"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "Okuyucuya bağlanılamıyor - okuyucunun pili kritik düzeyde - okuyucuyu şarj edin ve tekrar deneyin."; - /* Notice displayed when order creation fails */ "Unable to create new order" = "Yeni sipariş oluşturulamıyor"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "%@ olarak işaretlenemedi"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "Bağlı okuyucuyla ilgili istek gerçekleştirilemiyor - desteklenmeyen özellik - lütfen başka bir okuyucuyla tekrar deneyin"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "Yazılım isteği gerçekleştirilemiyor - lütfen bu uygulamayı güncelleyin ve tekrar deneyin"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "Geçersiz veriler nedeniyle ödeme işlenemiyor - lütfen tekrar deneyin"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "Ödeme işlenemiyor. Sipariş toplam tutarı, tahsil edebileceğiniz minimum tutarın altında (%1$@)"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "Ödeme işlenemiyor. En yeni sipariş ayrıntılarını alamadık. Lütfen ağ bağlantınızı kontrol edip tekrar deneyin. Temeldeki hata: %1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "Kart okunamıyor - sistem zaman aşımına uğradı - lütfen tekrar deneyin"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "Takılan kart okunamıyor - lütfen kartı çıkarıp tekrar takmayı deneyin"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "Kullanılan kart okunamıyor - lütfen kartı tekrar geçirmeyi deneyin"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Bu URL'deki WordPress sitesi okunamıyor. SSS'yi görüntülemek için 'Yardıma mı ihtiyacınız var?' ifadesine dokunun."; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "Değişiklikler kaydedilemiyor. Lütfen tekrar deneyin."; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "Kart okuyucular aranamıyor - Bluetooth Low Energy bu cihazda desteklenmiyor - lütfen farklı bir cihaz kullanın"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "Kart okuyucular aranamıyor - Bluetooth zaman aşımına uğradı - lütfen tekrar deneyin"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "Müşteri ayrıntıları ayarlanamadı."; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "Adres güncellenemiyor."; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "Kart okuyucu yazılımı güncellenemiyor - Okuyucu pili çok düşük"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "Fiyat güncellenemiyor"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "Gönderim adresini otomatik olarak doğrulayamadık. Adresin doğru olduğundan emin olmak için Apple Haritalar'da görüntüleyin."; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "Ödemeyi tekrar gerçekleştirmeyi deneyemedik. Lütfen yeniden başlatın."; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "Size şu anda e-posta gönderemedik. Lütfen daha sonra tekrar deneyin."; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "Ürün eklentilerini web panosunda düzenleyebilirsiniz."; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "Alan adı ayarlarını menü > ayarlar'da bulabilirsiniz."; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "Hızlı ve kolay bir şekilde yönetebilirsiniz."; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "Bu mağazada eklentileri yönetme izniniz yok."; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "Paketiniz ücretsiz bir yıllık alan adı kaydını içerir."; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "Yeni bir siparişiniz var! 🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "Ürününüzün parolayla korunmasını sağlamak için bir parola eklemelisiniz"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "Tap to Pay on iPhone özelliğini kullanmak için bir kilit ekranı parolası ayarlamanız gerekir"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "DudaMobilden uygulamanın bloğunuza bağlanmasını engelleyen bir eklenti yüklemiş görünüyorsunuz "; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "E-postanız bir WordPress.com hesabıyla kullanılmaz"; -/* Title of the free domain view. */ -"Your free store address" = "Ücretsiz mağaza adresiniz"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "Ücretsiz deneme süreniz sona erdi"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "Sitenizin adresi, Safari ile sitenizi ziyaret ettiğinizde en üstte görüntülenir."; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "Site adresiniz oluşturuluyor. Alan adınızın çalışmaya başlaması 30 dakika kadar sürebilir."; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "Sitenizin alan adları"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "Sitenizin yanıt vermesi uzun sürüyor"; @@ -10491,135 +10120,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "Tüm kampanyaları görüntüle"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "Kart okuyucunuzu bağlamak için bu uygulamanın Bluetooth erişimi izni olması gerekir. Sistemin Ayarlar uygulamasında Woo bölümünden izin verebilirsiniz."; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "Bluetooth okuyucu zaten başka bir cihazla bağlı. Bu cihazı bağlamak için okuyucunun eşleşmesinin sıfırlanması gerekir."; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "Bluetooth bağlantısında geçersiz konum kimliği var."; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "Kart okuyucunuzu bağlamak için bu uygulamanın Bluetooth erişimi izni olması gerekir. Sistemin Ayarlar uygulamasında Woo bölümünden izin verebilirsiniz."; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "Okuyucu bu cihaz eşleme bilgilerini kaldırdı. iOS Ayarları'nda okuyucu unutuluyor."; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "Bluetooth okuyucusunun bağlantısı kesildi, yeniden bağlamaya çalışıyoruz."; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "İşlem zaten tamamlandığından dolayı iptal edilemedi."; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "Kartı geçirme işlevi kullanılamıyor."; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "Lütfen destek ekibiyle iletişime geçin. Komutun işletim sisteminde yürütülmesine izin verilmiyor."; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "Bu işlemin başarılı olması için kart sahibinin onay vermesi gerekir."; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "Bağlantı belirteci alınırken hata oluştu."; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "Bağlantı belirteci talebi zaman aşımına uğradı."; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "Lütfen destek ekibiyle iletişime geçin. Özellik kullanılamıyor."; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "Canlı modda canlı mod ödemesinin iletilmesi yasaktır."; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "Canlı modda test modu ödemesinin iletilmesi yasaktır."; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac, çevrimdışı modda desteklenmez."; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "Bilinmeyen bir ağ hatası oluştu."; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "İnternetten okuyucuya bağlanma işlemi zaman aşımına uğradı. Cihazınızın ve okuyucunun aynı Wifi ağında olduğundan ve okuyucunuzun Wifi ağına bağlı olduğundan emin olun."; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "Lütfen destek ekibiyle iletişime geçin. İstemci gizli anahtarı geçersiz."; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "Lütfen destek ekibiyle iletişime geçin. Keşif yapılandırması geçersiz."; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "Konum kimliği geçersiz."; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "Güncellenecek okuyucu geçersiz."; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "Lütfen destek ekibiyle iletişime geçin. Para iadesi parametreleri geçersiz."; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "Lütfen destek ekibiyle iletişime geçin. Gerekli bir parametre geçersiz."; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "Okuyucu, sağlanan ödeme yönteminden veri okuyamadı. Bu hata tekrar ederse okuyucu arızalı olabilir, lütfen destek ekibiyle iletişime geçin."; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "Lütfen destek ekibiyle iletişime geçin. Ödeme amacı eksik."; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "Lütfen destek ekibiyle iletişime geçin. Para iadesi ödeme yöntemi eksik."; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "Lütfen destek ekibiyle iletişime geçin. Kurulum amacı eksik."; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "Çevrimdışıyken ödeme onaylanıyor ve kartın kullanım süresinin dolduğu tespit edildi."; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "Lütfen ödeme alınırken ve onaylanırken ağ bağlantısının kesilmediğinden emin olun."; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "Çevrimdışıyken canlı modda test kartı kullanılır."; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "Çevrimdışıyken bir ödemenin onaylanması ve kartın doğrulanması başarısız oldu."; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "Çevrimiçi Pin, çevrimdışı modda desteklenmez. Lütfen ödemeyi farklı bir kartla yapmayı deneyin."; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "Süre sınırı içinde kart gösterilmedi."; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "Okuyucu bağlantısı yapılandırması geçersiz."; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "Okuyucuda ödeme almak için gereken şifreleme anahtarları eksik, okuyucunun bağlantısı kesilip yeniden yüklendi. Anahtarları yeniden yüklemeyi denemek için okuyucuyu tekrar bağlayın. Bu hata devam ederse lütfen desteğe başvurun."; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "Güncellemenin süresi dolduğundan okuyucu yazılımı güncellemesi başarısız oldu. Yeni güncelleme almak için lütfen okuyucunun bağlantısını kesip yeniden bağlanın."; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "Lütfen destek ekibiyle iletişime geçin. Okuyucu bahşiş parametresi geçersiz."; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "Para iadesi başarısız oldu. Müşterinin bankası veya kartını düzenleyen kurum, doğru şekilde işleme alamadı (ör. kapalı banka hesabı veya kartla ilgili bir sorun)."; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "Lütfen destek ekibiyle iletişime geçin. Stripe API yanıtının şifresi çözülürken hata oluştu."; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "Bağlı Apple Kimliği hesabı devre dışı bırakılamaz."; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "Okuyucuyla ilgili beklenmedik bir hata oluştu."; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "Keşiften döndürülen okuyucunun IP adresi yok ve bu okuyucuya bağlanılamıyor."; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "Kuponlar"; @@ -11349,6 +10849,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Eklentiler"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "Barkod çok kısa"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "Kısmi barkod taraması"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "Ağ isteği başarısız oldu"; @@ -11361,6 +10867,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "Bilinmeyen taranan öğe"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "Barkod okunamadı"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "Tarama başarısız"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "Desteklenmeyen öğe türü"; @@ -11706,6 +11218,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "Kupon uygulanmadı"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "Barkod taraması"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "Lütfen bekleyin"; @@ -11787,6 +11302,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "Tamam"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "Barkod taraması"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "Bir sepeti hızlıca oluşturmak için harici bir tarayıcı kullanarak barkodları tarayabilirsiniz."; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "Daha fazla ayrıntı."; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Daha fazla ayrıntı, bağlantı."; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• Ürünler > Ürün Ayrıntıları > Envanter bölümünde \"GTIN, UPC, EAN, ISBN\" alanında barkodlar ayarlayın. "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "İlk: Ürünler, ardından Ürün Ayrıntıları, ardından Envanter bölümünde \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" alanında barkodlar ayarlayın."; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• Sepete ürün eklemek için ürün listesindeyken barkodu tarayın."; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Dördüncü: Sepete ürün eklemek için ürün listesindeyken barkodu tarayın."; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "Tarayıcı bir klavyeyi taklit eder, bu nedenle bazen yazılım klavyesinin görünmesini engeller (ör. aramada). Tekrar göstermek için klavye simgesine dokunun."; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• HID modunu ayarlamak için Bluetooth barkod tarayıcınızın talimatlarına bakın."; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "İkinci: H-I-D modunu ayarlamak için Bluetooth barkod tarayıcınızın talimatlarına bakın."; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• Barkod tarayıcınızı iOS Bluetooth ayarlarından bağlayın."; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Üçüncü: Barkod tarayıcınızı iOS Bluetooth ayarlarından bağlayın."; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = " için ürüne dokunun Sepete eklemek"; @@ -11886,9 +11440,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "Popüler ürünler"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "Mağazanızda arayın"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "Son aramalar"; @@ -11907,6 +11458,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Kupon bulunamadı"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Yenile"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Birini eklemek için POS'tan çıkın ve Ürünler'e gidin."; @@ -11937,6 +11491,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Kupon oluştur"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "Tamam"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "Aramayı Temizle"; @@ -11964,6 +11521,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "Stokta yok"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "Yeni sipariş"; @@ -12671,9 +12231,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "Tamamlandı"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "Yardım ve Destek"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "Anladım"; @@ -13043,9 +12600,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "Siparişler"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "Ödeme"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "Kapat"; @@ -13454,8 +13008,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "%1$d gönderimi"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "Ek İşleme (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "Yetişkin İmzası Gerekli (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "Yetişkin İmzası Gerekli (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "Karbon Nötr (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d iş günü"; @@ -13475,8 +13035,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "Sigorta (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "Cumartesi Teslimatı (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "İmza Gerekli (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "İmza Gerekli (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "İzleme"; diff --git a/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings index 36609c908bb..104f479a1ff 100644 --- a/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings +++ b/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-17 14:54:09+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_CN */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@(对客户可见)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@\/%2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ 复制"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@ 如何使用移动设备接受付款和订购读卡器。"; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@域名以及如何采取域名相关操作。"; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@:了解使用 WooPayments 验证您的信息的内容。"; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "必须打印报关单并随附在此国际配送中"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "在站点处于测试模式下时使用了实际的银行卡, 请改用测试卡。"; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "发生网络错误。 请检查您的连接,然后重试。"; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "添加选项"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "地址"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "AID"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "已放弃购物车恢复"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "帐户设置"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "账户类型"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "已连接的账户"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "添加变体"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "添加域"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "添加新信用卡"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "符合退款条件的金额"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "已付金额"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "一个 Apple ID 仅能用于升级一个商店"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "关闭账户时发生错误"; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "连接蓝牙时出现错误,请启用蓝牙并重试"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "近期提交过一笔相同的交易。 如果您想继续,请尝试其他付款方式"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "图像上传失败"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "输入错误 PIN 次数过多。 请尝试其他付款方式"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "输入的 PIN 错误。 再次尝试,或使用另一种付款方式"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "在顾客购买后发给他们的可选备注"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "应用程序日志"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "应用程序名称"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "读卡器手册"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "银行留在读卡器中,请取出并重新插入卡"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "银行卡取出速度过快,请重新尝试交易"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "取消"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "缺少城市"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "认领域名"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "声明您的免费域"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "第 1 类 — 玩具推进燃料\/安全导火索包装"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "恭喜您,已全部阅读!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "恭喜您购买成功"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "恭喜! 您离准备好新的商店又近了一步。"; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "正在连接阅读器"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "连接读卡器时超时,请确保读卡器位于附近并且电量充足,然后重试"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "连接到您的帐户"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "继续"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "日期范围"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "付款日期"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "配送日期"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "折扣"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "折扣 %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "折扣类型"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "文档"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "域名"; - /* Country option for a site address. */ "Dominica" = "多米尼加"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "完成"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "反馈已发送!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "费用"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "正在获取变体…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "忘记密码?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "表单验证错误"; - /* Next web page */ "Forward" = "转发"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "免费试用版"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "第一年免费"; - /* Country option for a site address. */ "French Guiana" = "法属圭亚那"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "现场付款"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "应用内购买"; - /* Application's Inactive State */ "Inactive" = "未激活"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "插入"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "插卡"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "插入水平标尺"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "插入链接"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "插卡或刷卡"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "插卡以付款"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "拉脱维亚"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "启动 Wormholy 调试"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "开启您的商店"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "莫桑比克"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "检测到多张非接触式卡"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "多个商店"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "尚无广告活动"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "未连接读卡器,请连接读卡器并重试"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "未选择分类"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "无连接问题"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "未连接互联网,请连接到互联网并重试"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "没有找到优惠券"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "给客户的备注"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "笔记"; - /* Default message for empty media picker */ "Nothing to show" = "没有可显示的内容"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "付款总额"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "付款因余额不足被拒。 请尝试其他付款方式"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "付款失败"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "付款方式"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "付款成功"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "付款因未知原因被拒。 请尝试其他付款方式"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "付款因不明原因被拒。 请尝试其他付款方式"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "请为读卡器充电"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "请检查您的手机是否符合以下要求:运行 iOS 16.7 或以上版本的 iPhone XS 或更新机型。 如果支持的设备上出现此错误,请联系支持人员。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "请检查您的 Apple ID 是否有效,然后重试。 接受 Apple 的服务条款时需要使用一个有效的 Apple ID"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "请在浏览器中通过管理页面连接 Jetpack,或联系支持人员。"; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "请联系支持人员以获取帮助。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "请联系支持人员 – 在 iPhone 上启动“点按付款”时出现问题"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "请联系站点所有者,以商店经理或管理员的身份邀请站点使用该应用程序。"; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "请选择包裹"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "请在此设备上登录 iCloud,以便在 iPhone 上使用“点按付款”"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "请稍后再试或与我们联系,我们很乐意为您提供帮助!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "请重试或与我们联系,我们很乐意为您提供帮助!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "请重试,并接受 Apple 的服务条款,以便您可以在 iPhone 上使用“点按付款”"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "请重试或联系支持人员寻求帮助"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "请重试。 或者,您可以通过 WP-Admin 安装 Jetpack。"; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "请尝试其他查询。"; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "请更新您的阅读器软件,以继续接受付款"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "价格已成功更新。"; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "主站点地址"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "打印"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "订单退款原因"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "收据"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "来自 %1$@ 的收据"; - /* No comment provided by engineer. */ "Recurring payments'" = "定期付款'"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "重新生成优惠券代码"; -/* Title of the domain contact info form. */ -"Register domain" = "注册域"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "常规售价"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "删除属性"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "移除银行卡"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "删除折扣"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "重命名属性"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "续订日期%1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "替换照片"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "请更新后再试"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "重试银行卡"; - /* Action button to check site's connection again. */ "Retry Connection" = "重试连接"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "短信已发送"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "建议"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "搜索优惠券"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "搜索域"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "搜索域名"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "搜索已有客户或"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "配送日期:%@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "某些电子邮件地址无效。"; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "验证时出现意外错误。 请检查字段并重试。"; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "某人"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "抱歉,我们无法处理本次付款"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "很抱歉,我们无法处理这笔付款。"; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "抱歉,此退款无法取消"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "抱歉,无法处理本次退款"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "抱歉,用户名只能包含字母(a-z)!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "很抱歉,由于未找到有效付款,我们无法完成此操作。"; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "抱歉,我们无法连接到阅读器。 请重试。"; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "抱歉,我们无法在 iPhone 上启用“点按付款”功能。 请检查您的连接,然后重试。"; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "订阅"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "产品和包裹的总重量"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "摘要"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "摘要:订单 #%1$@"; - /* Country option for a site address. */ "Suriname" = "苏里南"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "瑞典"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "刷卡"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "切换商店"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "已将系统状态报告复制到剪贴板"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "不允许使用系统测试卡付款。 请尝试其他付款方式"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "圣多美和普林西比"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "点击以在 iPhone 上付款"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "通话期间无法在 iPhone 上使用“点按付款”。 请在结束通话后重试。"; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "iPhone 上的“点按付款”功能已就绪"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "税状态"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "税费"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "服务条款"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "在我们准备好发布时测试应用内购买"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "当我们准备发布时,测试查看订单加载项"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "您的商店中已安装 %1$@ 扩展程序,但需要更新才能支持现场付款。 请将其更新至最新版本。"; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "与读卡器的蓝牙连接意外断开"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "Google 帐户“%@”与 WordPress.com 上的任何帐户均不匹配"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "无法加载命令!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "iPhone 上的“点按付款”不支持该金额 – 请尝试使用硬件读卡器或换一种付款方式。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "此应用无法启用 iPhone 上的“点按付款”,因为已禁用 NFC 芯片。 请联系支持团队以了解详情。"; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "无法删除属性。"; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "无法保存属性。"; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "银行卡不支持当前币种。 请尝试其他付款方式"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "银行卡不支持用于当前购买类型。 请尝试其他付款方式"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "银行卡已过期。 请尝试其他付款方式"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "银行卡或银行卡账户无效。 请尝试其他付款方式"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "读卡器正在处理其他命令,请重试"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "读卡器不兼容此应用程序,请尝试更新应用程序或使用其他读卡器"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "读卡器会话已过期,请断开连接并重新连接读卡器,然后重试"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "读卡器软件已过时,请更新读卡器软件,然后再尝试处理付款"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "读卡器软件已过时,请更新读卡器软件,然后再尝试处理付款。"; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "读卡器软件已过时,请更新读卡器软件,然后再尝试处理退款"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "由于通信错误,读卡器软件更新失败,请重试"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "由于更新服务器出现问题,读卡器软件更新失败,请重试"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "读卡器软件更新出现意外故障,请重试"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "读卡器软件更新在完成前中断,请重试"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "读卡器已拒绝该卡,请尝试其他付款方式"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "读卡器已拒绝该卡,请尝试其他付款方式。"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "读卡器已拒绝该卡,请尝试其他退款方式"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "iPhone 读卡器已拒绝该卡 - 请尝试其他付款方式"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "付款处理器已拒绝该卡,请尝试其他付款方式。"; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此服务器的证书无效。您所连接的服务器伪装成了“%@”,这可能会给您的凭证信息带来危险。\n\n仍然信任此证书吗?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "优惠券代码不能为空"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "iPhone 上的“点按付款”不支持该币种 – 请尝试使用硬件读卡器或换一种付款方式。"; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "订单完成后,客户将收到一封电子邮件"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "购买的域名会将用户重定向至 **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "购买的域名会将用户重定向至当前暂存域名"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "购买的域名会将用户重定向至您的主要地址。"; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "第一次在 iPhone 上使用“点按付款”功能时,系统可能会提醒您接受 Apple 的服务条款。"; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "当前银行卡不支持该付款金额。 请尝试其他付款方式。"; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "付款处理器无法处理该付款。"; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "支付卡移除过早,请重试。"; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "此付款方式不支持自动退款。 通过手动向客户转账的方式完成退款。"; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "已在阅读器上取消付款"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "付款已取消。"; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "付款处理器无法处理该退款。"; -/* Error message when a request times out. */ -"The request timed out - please try again." = "请求超时,请重试"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "生成应用密码的请求未获得授权。"; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "该产品的库存数量。可编辑。"; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "商店地址不完整或缺失,请更新后再继续。"; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "商店邮政编码无效或缺失,请更新后再继续。"; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "系统意外取消了命令,请重试"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "系统遇到了意外软件错误"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "目前无法获取您站点的系统状态报告。 请重试。"; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "交易邮政编码与卡片邮政编码不匹配。 请尝试其他付款方式"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "无法开始试用付款,请重试,如果此问题仍然存在,请联系支持部门。"; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "收款时出错。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "准备在 iPhone 上使用“点按付款”时出现问题 – 请重试。"; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "第三方许可证"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "此应用程序仅支持管理员和商店经理用户角色。 请联系商店所有者,升级角色。"; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "此卡需要 PIN 码,因此无法处理。 请尝试其他付款方式"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "这可能是因为您的商店采取了一些额外的安全措施。"; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "此商品当前包含在包裹 %1$d:%2$@ 中。 您想要将它移到哪里?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "此付款已完成 — 请查看订单详细信息。"; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "无法加载此产品"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "尝试其他地址"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "请尝试使用其他卡"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "请尝试其他读取方式"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "再次尝试授权"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "使用 WP-Admin 页面重试"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "请尝试其他付款方式"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "请尝试再次连接以访问您的商店。"; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "试试站点地址"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "重试可能会成功,或者您可以使用其他付款方式"; - /* Country option for a site address. */ "Tunisia" = "突尼斯"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "图瓦卢"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "为您的商店输入名称"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "内容类型"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "无法连接"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "无法访问蓝牙,请启用蓝牙并重试"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "无法访问位置服务,请启用位置服务并重试"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "无法添加优惠券。"; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "无法更改订单号 %1$d 的状态"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "无法与读卡器通信,请重试"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "无法连接到读卡器,读卡器已在使用中"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "无法连接到读卡器,已连接另一个读卡器"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "无法连接到读卡器,读卡器电量过低,请为读卡器充电并重试。"; - /* Notice displayed when order creation fails */ "Unable to create new order" = "无法创建新订单"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "无法将评论标记为%@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "无法执行已连接读卡器的请求,不支持的功能,请使用其他读卡器重试"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "无法执行软件请求,请更新此应用程序并重试"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "由于数据无效,无法处理支付,请重试"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "无法处理付款。 订单总金额低于您可以收取的最低金额,即 %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "无法处理付款。 无法获取最新订单详细信息。 请检查您的网络连接,然后重试。 潜在错误:%1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "无法读取卡,系统超时,请重试"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "无法读取插入的卡,请尝试移除卡并重新插入"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "无法读取所刷的卡,请尝试重新刷卡"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "无法通过该 URL 读取 WordPress 站点。 轻点“需要更多帮助?”可查看常见问题解答。"; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "无法保存更改。 请重试。"; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "搜索不到读卡器,此设备不支持蓝牙低能耗模式,请使用其他设备"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "无法搜索读卡器,蓝牙超时,请重试"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "无法设置客户详细信息。"; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "无法更新地址。"; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "无法更新读卡器软件 - 读卡器电量过低"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "无法更新价格"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "我们无法自动验证配送地址。 请在 Apple Maps 上查看,以确保地址正确。"; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "无法重试付款 — 请重新开始。"; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "此时,我们无法向您发送电子邮件。请稍后重试。"; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "您可以在 Web 仪表盘中编辑产品加载项。"; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "您可以在“菜单”>“设置”中查找域名设置"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "您可轻松快速地管理。"; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "您没有在此商店中管理插件的权限。"; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "您的套餐中包括为期一年的免费域名注册。"; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "您有一个新订单!🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "您需要添加密码,以便通过密码保护产品"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "您需要设置锁屏密码,才能在 iPhone 上使用“点按付款”"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "您似乎安装了来自 DudaMobile 的移动插件,该插件会阻止应用程序连接到您的博客"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "您的电子邮件未与 WordPress.com 账户关联"; -/* Title of the free domain view. */ -"Your free store address" = "您的免费商店地址"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "您的免费试用版已结束"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "在您使用 Safari 访问自己的站点时,站点地址显示在屏幕顶部的地址栏中。"; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "正在设置您的站点地址。 最多可能需花费 30 分钟时间,您的域名才能开始运行。"; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "您的站点域名"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "您站点的响应时间过长"; @@ -10494,135 +10123,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "查看所有广告活动"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "该应用程序需要访问蓝牙的权限,以便连接您的读卡器。 您可以在系统的“设置”应用程序中的“Woo”部分授予权限。"; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "蓝牙读卡器已与另一台设备配对。 读卡器必须重置配对才能连接到该设备。"; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "蓝牙连接的位置 ID 无效。"; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "该应用程序需要访问蓝牙的权限,以便连接您的读卡器。 您可以在系统的“设置”应用程序中的“Woo”部分授予权限。"; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "读卡器已删除此设备的配对信息。 尝试在 iOS 设置中清除读卡器的连接信息。"; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "蓝牙读卡器已断开连接,我们正在尝试重新连接。"; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "此操作已经完成,无法取消。"; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "刷卡功能不可用。"; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "请联系支持人员 - 操作系统不允许执行该命令。"; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "持卡人必须同意,系统才能成功执行此操作。"; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "获取连接令牌时出现错误。"; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "连接令牌请求超时。"; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "请联系支持人员 - 该功能不可用。"; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "禁止在测试模式下转发实时模式付款。"; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "禁止在实时模式下转发测试模式付款。"; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "离线模式下不支持 Interac。"; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "发生未知网络错误。"; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "通过互联网连接读卡器超时。 确保您的设备和读卡器使用的是同一个 Wifi 网络,且读卡器已连接到 Wifi 网络。"; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "请联系支持人员 - 客户端密钥无效。"; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "请联系支持人员 - 发现配置无效。"; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "位置 ID 无效。"; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "用于更新的读卡器无效。"; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "请联系支持人员 - 退款参数无效。"; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "请联系支持人员 - 必填参数无效。"; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "读卡器无法读取所用付款方式的数据。 如果您反复遇到此错误,则表明读卡器可能有故障,请联系支持人员。"; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "请联系支持人员 - 缺少付款意图。"; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "请联系支持人员 - 缺少退款付款方式。"; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "请联系支持人员 - 缺少设置意图。"; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "在离线状态下确认付款,银行卡经识别已过期。"; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "请确保收款和确认时的网络连接稳定。"; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "测试卡在离线状态下用于实时模式。"; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "在离线状态下确认付款,银行卡验证失败。"; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "离线模式下不支持在线 PIN。 请使用另一张银行卡重新尝试付款。"; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "未在规定时间内出示卡片。"; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "读卡器连接配置无效。"; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "读卡器缺少接收付款所需的加密密钥,已断开连接并重新启动。 重新连接读卡器,尝试重新安装密钥。 如果错误仍然存在,请联系支持人员。"; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "由于更新已过期,读卡器软件更新失败。 请断开并重新连接读卡器,以检索新的更新。"; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "请联系支持人员 - 读卡器临界参数无效。"; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "退款失败。 客户的银行或发卡机构无法正确处理(如银行账户关闭或银行卡有问题)。"; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "请联系支持人员 - 解码 Stripe API 响应时出现错误。"; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "关联的 Apple ID 账户已停用。"; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "读卡器出现意外错误。"; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "在发现过程中找到的读卡器没有 IP 地址,无法连接。"; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "优惠券"; @@ -11352,6 +10852,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "插件"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "条形码过短"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "部分条形码扫描"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "网络请求失败"; @@ -11364,6 +10870,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "未知扫描商品"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "无法读取条形码"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "扫描失败"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "不支持的商品类型"; @@ -11709,6 +11221,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "未应用优惠券"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "条形码扫描"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "请稍候"; @@ -11790,6 +11305,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "完成"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "条形码扫描"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "您可以使用外部扫描程序扫描条形码,快速创建购物车。"; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "更多详细信息。"; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "有关更多详细信息,请点击此链接。"; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• 在“产品 > 产品详细信息 > 库存”中的“GTIN、UPC、EAN、ISBN”字段中设置条形码。 "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "第一步:依次导航至“产品”、“产品详细信息”和“库存”,在“G-T-I-N、U-P-C、E-A-N、I-S-B-N”字段中设置条形码。"; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• 在商品列表上扫描条形码,将产品添加到购物车。"; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "第四步:在商品列表上扫描条形码,将产品添加到购物车。"; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "扫描程序使用模拟键盘,因此有时会导致软件键盘无法显示,如在搜索时。 轻点键盘图标即可再次显示键盘。"; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• 参阅蓝牙条形码扫描程序的说明,以设置 HID 模式。"; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "第二步:参阅蓝牙条形码扫描程序的说明,以设置 H-I-D 模式。"; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• 在 iOS 蓝牙设置中连接条形码扫描程序。"; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "第三步:在 iOS 蓝牙设置中连接条形码扫描程序。"; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "点击产品以 \n 将其添加到购物车"; @@ -11889,9 +11443,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "热销产品"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "搜索您的商店"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "最近搜索"; @@ -11910,6 +11461,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "未找到优惠券"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "刷新"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "如需添加产品,请退出 POS,然后转到“产品”。"; @@ -11940,6 +11494,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "创建优惠券"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "确定"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "清除搜索"; @@ -11967,6 +11524,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "缺货"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "销售点"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "新订单"; @@ -12674,9 +12234,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "完成"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "帮助与支持"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "已接受"; @@ -13046,9 +12603,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "订单"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "结账"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "忽略"; @@ -13457,8 +13011,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "包裹 %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "特殊处理 (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "必须由成年人签收 (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "必须由成年人签收 (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "碳中和 (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d 个工作日"; @@ -13478,8 +13038,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "保险 (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "星期六配送 (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "必须签收 (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "必须签收 (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "跟踪"; diff --git a/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings index 5f721ec9c4a..9fe8f392559 100644 --- a/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings +++ b/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-06-18 14:54:04+0000 */ +/* Translation-Revision-Date: 2025-07-01 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_TW */ @@ -31,9 +31,6 @@ /* Labels an order note. The user know it's visible to the customer. Reads like 05:30 PM - username (To Customer) */ "%1$@ - %2$@ (To Customer)" = "%1$@ - %2$@ (向顧客顯示)"; -/* The original price of a domain. %1$@ is the price per term. %2$@ is the duration of each pricing term, usually year. */ -"%1$@ \/ %2$@" = "%1$@ \/ %2$@"; - /* The default name for a duplicated product, with %1$@ being the original name. Reads like: Ramen Copy */ "%1$@ Copy" = "%1$@ 複本"; @@ -45,9 +42,6 @@ which should be translated separately and considered part of this sentence. */ /* A label prompting users to learn more about card readers. %1$@ is a placeholder that is always replaced with \"Learn more\" string, which should be translated separately and considered part of this sentence. */ "%1$@ about accepting payments with your mobile device and ordering card readers." = "%1$@有關使用行動裝置接受付款及訂購讀卡機的資訊。"; -/* Learn more format at the bottom of the domain settings screen. %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about domains. */ -"%1$@ about domains and how to take domain-related actions." = "%1$@關於網域的資訊,以及如何採取網域相關操作。"; - /* %1$@ is a tappable link like \"Learn more\" that opens a webview for the user to learn more about verifying information for WooPayments. */ "%1$@ about verifying your information with WooPayments." = "%1$@如何向 WooPayments 驗證個人資訊。"; @@ -273,9 +267,6 @@ which should be translated separately and considered part of this sentence. */ /* Main message on the Print Customs Invoice screen of Shipping Label flow */ "A customs form must be printed and included on this international shipment" = "此國際貨件須列印並附上海關表格"; -/* Message when attempting to pay for a test transaction with a live card. */ -"A live card was used on a site in test mode. Use a test card instead." = "在測試模式下的網站上使用了有效信用卡。 請改用測試卡片。"; - /* Error message when there was a network error checking In-Person Payments requirements */ "A network error occurred. Please check your connection and try again." = "網路發生錯誤。 請檢查你的連線並再試一次。"; @@ -297,12 +288,6 @@ which should be translated separately and considered part of this sentence. */ /* Header of existing attribute options section in Add Attribute Options screen */ "ADD OPTIONS" = "新增選項"; -/* Address section title in the domain contact info form. */ -"ADDRESS" = "地址"; - -/* Reads as 'AID'. Part of the mandatory data in receipts */ -"AID" = "輔助"; - /* No comment provided by engineer. */ "Abandoned cart recovery" = "復原擱置的購物車項目"; @@ -323,9 +308,6 @@ which should be translated separately and considered part of this sentence. */ Title of the Account Settings screen */ "Account Settings" = "帳號設定"; -/* Reads as 'Account Type'. Part of the mandatory data in receipts */ -"Account Type" = "帳戶類型"; - /* Title when a payments account is successfully connected for Card Present Payments */ "Account connected" = "已連結的帳號"; @@ -440,9 +422,6 @@ which should be translated separately and considered part of this sentence. */ Title on the bottom sheet to choose what variation process to start */ "Add Variation" = "新增款式"; -/* Title of button to add a domain in domain settings. */ -"Add a domain" = "新增網域"; - /* Placeholder in Shipping Label form for the Payment Method row. */ "Add a new credit card" = "新增信用卡"; @@ -651,10 +630,6 @@ which should be translated separately and considered part of this sentence. */ /* Title of shipping label eligible refund amount in Refund Shipping Label screen */ "Amount Eligible For Refund" = "符合退款資格的金額"; -/* Line description for 'Amount Paid' cart total on the receipt - Title of 'Amount Paid' section in the receipt */ -"Amount Paid" = "付款金額"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "An Apple ID can only be used to upgrade one store" = "一個 Apple ID 只能用於升級一家商店"; @@ -667,21 +642,9 @@ which should be translated separately and considered part of this sentence. */ /* Default error message displayed when unable to close user account. */ "An error occured while closing account." = "關閉帳號時發生錯誤。"; -/* Error message when Bluetooth is not enabled for this application. */ -"An error occurred accessing Bluetooth - please enable Bluetooth and try again." = "存取藍牙時發生錯誤 - 請啟用藍牙,然後再試一次"; - -/* Message when it looks like a duplicate transaction is being attempted. */ -"An identical transaction was submitted recently. If you wish to continue, try another means of payment." = "近期送出了一筆完全相同的交易。 如果想繼續,請嘗試其他付款方式"; - /* Title of the notice about an image upload failure in the background. */ "An image failed to upload" = "無法上傳某張圖片"; -/* Message when an incorrect PIN has been entered too many times. */ -"An incorrect PIN has been entered too many times. Try another means of payment." = "輸入太多次不正確的 PIN 碼。 請嘗試其他付款方式"; - -/* Message when an incorrect PIN has been entered. */ -"An incorrect PIN has been entered. Try again, or use another means of payment." = "輸入的 PIN 碼不正確。 請再試一次,或使用其他付款方式"; - /* Footer text in Product Purchase Note screen */ "An optional note to send the customer after purchase" = "可選擇在購買之後傳送備註給客戶"; @@ -734,9 +697,6 @@ which should be translated separately and considered part of this sentence. */ /* Application Logs navigation bar title - this screen is where users view the list of application logs available to them. */ "Application Logs" = "應用程式記錄檔"; -/* Reads as 'Application name'. Part of the mandatory data in receipts */ -"Application Name" = "應用程式名稱"; - /* Apply navigation button in custom range date picker Button title to insert AI-generated product description. Button to apply the gift card code to the order form. @@ -1249,12 +1209,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigation title at the top of the Card reader manuals screen */ "Card reader manuals" = "讀卡機手冊"; -/* Error message when a card is left in the reader and another transaction started. */ -"Card was left in reader - please remove and reinsert card." = "卡片留在讀卡機中 - 請取出卡片,然後重新插入"; - -/* Error message when the card is removed from the reader prematurely. */ -"Card was removed too soon - please try transaction again." = "太快移除卡片 - 請重新交易"; - /* Label for a cancel button when an optional software update is happening */ "CardPresentModalUpdateProgress.button.cancelOptionalButtonText" = "取消"; @@ -1373,12 +1327,6 @@ which should be translated separately and considered part of this sentence. */ /* Error showed in Shipping Label Address Validation for the city field */ "City missing" = "未填寫城市"; -/* Title of button to redeem domain credit in the domain credit banner in domain settings. */ -"Claim Domain" = "取得網域"; - -/* Title of the domain credit banner in domain settings. */ -"Claim your free domain" = "索取你的免費網域"; - /* A hazardous material description stating when a package can fit into this category */ "Class 1 – Toy Propellant\/Safety Fuse Package" = "第 1 類:玩具推進器\/安全保險絲包裹"; @@ -1559,9 +1507,6 @@ which should be translated separately and considered part of this sentence. */ /* Title displayed if there are no inbox notes in the inbox screen. */ "Congrats, you’ve read everything!" = "恭喜,你已閱讀所有所有資訊!"; -/* Title of the domain purchase success screen. */ -"Congratulations on your purchase" = "恭喜你購買完成"; - /* Message on the celebratory screen after creating first product */ "Congratulations! You're one step closer to getting the new store ready." = "恭喜! 你離新商店正式開幕更近一步了。"; @@ -1633,9 +1578,6 @@ which should be translated separately and considered part of this sentence. */ /* Title label for modal dialog that appears when connecting to a card reader */ "Connecting to reader" = "正在連線至讀卡機"; -/* Error message when establishing a connection to the card reader times out. */ -"Connecting to the card reader timed out - ensure it is nearby and charged and then try again." = "連接讀卡機逾時 - 請確認讀卡機在附近且已充電,然後再試一次"; - /* Title when checking if WooCommerce Payments is supported */ "Connecting to your account" = "連結你的帳號"; @@ -1692,7 +1634,6 @@ which should be translated separately and considered part of this sentence. */ The button title text when there is a next step for logging in or signing up. Title of continue button Title of dismiss button presented when users attempt to log in without Jetpack installed or connected - Title of the button to continue with a selected domain. Title of the submit button on the account creation form. */ "Continue" = "繼續"; @@ -2011,9 +1952,6 @@ which should be translated separately and considered part of this sentence. */ Title of the range selection list */ "Date Range" = "日期範圍"; -/* Title of 'Date Paid' section in the receipt */ -"Date paid" = "付款日期"; - /* Add / Edit shipping carrier. Title of cell date shipped */ "Date shipped" = "出貨日期"; @@ -2094,9 +2032,6 @@ which should be translated separately and considered part of this sentence. */ Title for the Discount Details screen during order creation */ "Discount" = "折扣"; -/* Line description for 'Discount' cart total on the receipt. Only shown when non-zero. %1$@ is the coupon code(s) */ -"Discount %1$@" = "折扣 %1$@"; - /* Field in the view for adding or editing a coupon's discount type. Title for the sheet to select discount type on the Add or Edit coupon screen. */ "Discount Type" = "折扣類型"; @@ -2184,9 +2119,6 @@ which should be translated separately and considered part of this sentence. */ /* Type Documents of content to be declared for the customs form in Shipping Label flow */ "Documents" = "文件"; -/* Navigation bar title of the domain settings screen. */ -"Domains" = "網域"; - /* Country option for a site address. */ "Dominica" = "多明尼加"; @@ -2227,14 +2159,11 @@ which should be translated separately and considered part of this sentence. */ Done navigation button under the Package Selected screen in Shipping Label flow Edit product categories screen - button title to apply categories selection Edit product downloadable files screen - button title to apply changes to downloadable files - Navigation bar button on the domain settings screen to leave the flow. Settings > Set up Tap to Pay on iPhone > Try a Payment > Payment flow > Review Order > Done button - Text for the done button in the domain contact info form. Text for the done button in the Edit Address Form Text for the done button in the edit customer provided note screen The button title to indicate that the user has finished updating their store's address and isready to close the webview. This also tries to connect to the reader again. - Title for the Done button on a WebView modal sheet - Title of the button to finish the domain purchase success screen. */ + Title for the Done button on a WebView modal sheet */ "Done" = "完成"; /* Link title to see instructions for printing a shipping label on an iOS device */ @@ -2787,9 +2716,6 @@ which should be translated separately and considered part of this sentence. */ /* Title in the navigation bar when the survey is completed */ "Feedback Sent!" = "你的意見已送出!"; -/* Line description for 'Fees' cart total on the receipt. Only shown when non-zero. */ -"Fees" = "費用"; - /* Blocking indicator text when fetching existing variations prior generating them. */ "Fetching Variations..." = "正在擷取款式…"; @@ -2882,9 +2808,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to see instructions for resetting password of a WPCom account. */ "Forgot password?" = "忘記密碼?"; -/* Title in the error notice when a validation error occurs after submitting domain contact info. */ -"Form Validation Error" = "表單驗證錯誤"; - /* Next web page */ "Forward" = "轉寄"; @@ -2897,9 +2820,6 @@ which should be translated separately and considered part of this sentence. */ /* Plan name for an active free trial */ "Free Trial" = "免費試用"; -/* Label shown for domains that are free for the first year with available domain credit. */ -"Free for the first year" = "第一年免費"; - /* Country option for a site address. */ "French Guiana" = "法屬圭亞那"; @@ -3315,9 +3235,6 @@ which should be translated separately and considered part of this sentence. */ /* Navigates to In-Person Payments screen */ "In-Person Payments" = "親自收款"; -/* Cell title on beta features screen to enable in-app purchases */ -"In-app purchases" = "應用程式內購買項目"; - /* Application's Inactive State */ "Inactive" = "未啟用"; @@ -3359,18 +3276,12 @@ which should be translated separately and considered part of this sentence. */ /* Label action for inserting a link on the editor */ "Insert" = "插入"; -/* Message from the in-person payment card reader prompting user to insert their card */ -"Insert Card" = "插入卡片"; - /* Accessibility label for insert horizontal ruler button on formatting toolbar. */ "Insert Horizontal Ruler" = "插入水平尺規"; /* Accessibility label for insert link button on formatting toolbar. */ "Insert Link" = "插入連結"; -/* Message from the in-person payment card reader prompting user to insert or swipe their card */ -"Insert Or Swipe Card" = "插入卡片或刷卡"; - /* Label asking users to present a card. Presented to users when a payment is going to be collected */ "Insert card to pay" = "插入卡片以付款"; @@ -3664,6 +3575,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Latvia" = "拉脫維亞"; +/* Opens an internal library called Wormholy. Not visible to users. */ +"Launch Wormholy Debug" = "啟動 Wormholy 除錯"; + /* Title of the store onboarding task to launch the store. */ "Launch your store" = "推出你的商店"; @@ -3678,7 +3592,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to open the legal page for AI-generated contents on the product sharing message generation screen Label for the banner Learn more button Tappable text at the bottom of store onboarding payments setup screen that opens a webview. - Tappable text at the bottom of the domain settings screen that opens a webview. Title for the link to open the legal URL for AI-generated content in the product detail screen Title of button shown in the Orders → All Orders tab if the list is empty. Title of button shown in the Reviews tab if the list is empty @@ -4155,9 +4068,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Mozambique" = "莫三比克"; -/* Message from the in-person payment card reader when payment could not be taken because multiple cards were detected */ -"Multiple Contactless Cards Detected" = "偵測到多張感應式卡片"; - /* Title of multiple stores as part of Jetpack benefits. */ "Multiple Stores" = "經營多家商店"; @@ -4296,9 +4206,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the empty state of the Blaze campaign list view */ "No campaigns yet" = "尚無行銷活動"; -/* Error message when a card reader was expected to already have been connected. */ -"No card reader is connected - connect a reader and try again." = "未連接讀卡機 - 請連接讀卡機,然後再試一次"; - /* Placeholder of the Product Categories row on Product main screen */ "No category selected" = "未選取任何類別"; @@ -4308,9 +4215,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title for when there are no connection issues in the connectivity tool screen */ "No connection issues" = "沒有連結問題"; -/* Error message when there is no connection to the Internet. */ -"No connection to the Internet - please connect to the Internet and try again." = "未連接網路 - 請連接網路,然後再試一次"; - /* The title on the placeholder overlay when there are no coupons on the coupon list screen. */ "No coupons found" = "沒有找到折價券"; @@ -4430,9 +4334,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Spoken accessibility label for an icon image that indicates it's a note to the customer. */ "Note to customer" = "給顧客的備註"; -/* Title of order note section in the receipt, commonly used for Quick Orders. */ -"Notes" = "筆記"; - /* Default message for empty media picker */ "Nothing to show" = "沒有可顯示的內容"; @@ -4801,14 +4702,10 @@ If your translation of that term also happens to contains a hyphen, please be su /* Payment section title */ "Payment Totals" = "付款總金額"; -/* Message when the presented card remaining credit or balance is insufficient for the purchase. */ -"Payment declined due to insufficient funds. Try another means of payment." = "付款因餘額不足遭拒。 請嘗試其他付款方式"; - /* Error message. Presented to users after collecting a payment fails */ "Payment failed" = "付款失敗"; -/* Title of 'Payment method' section in the receipt - Title of the webview of adding a payment method in Shipping Labels */ +/* Title of the webview of adding a payment method in Shipping Labels */ "Payment method" = "付款方式"; /* Notice that will be displayed after adding a new Shipping Label payment method */ @@ -4817,12 +4714,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Label informing users that the payment succeeded. Presented to users when a payment is collected */ "Payment successful" = "付款成功"; -/* Message when we don't know exactly why the payment was declined. */ -"Payment was declined for an unknown reason. Try another means of payment." = "付款因不明原因遭拒。 請嘗試其他付款方式"; - -/* Message when payment is declined for a non specific reason. */ -"Payment was declined for an unspecified reason. Try another means of payment." = "付款因不明原因遭拒。 請嘗試其他付款方式"; - /* Title for the Payments settings screen Title of the 'Payments' screen - used for spotlight indexing on iOS. Title of the hub menu payments button @@ -4896,12 +4787,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the alert presented when an update fails because the reader is low on battery. */ "Please charge reader" = "請為讀卡機充電"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not meet minimum requirements. */ -"Please check that your phone meets these requirements: iPhone XS or newer running iOS 16.7 or above. Contact support if this error shows on a supported device." = "請檢查你的手機是否符合以下要求:執行 iOS 16.7 或以上版本的 iPhone XS 或後續機型。 如果受支援的裝置顯示此錯誤訊息,請聯絡支援團隊。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the Terms of Service acceptance flow failed, possibly due to issues with the Apple ID */ -"Please check your Apple ID is valid, and then try again. A valid Apple ID is required to accept Apple's Terms of Service." = "請檢查你的 Apple ID 是否有效,然後再試一次。 需要有效的 Apple ID 才能接受 Apple 的服務條款"; - /* Suggestion to be displayed when the user encounters an error during the connection step of Jetpack setup */ "Please connect Jetpack through your admin page on a browser or contact support." = "請透過瀏覽器上的管理頁面連結 Jetpack,或聯絡支援團隊。"; @@ -4912,9 +4797,6 @@ If your translation of that term also happens to contains a hyphen, please be su Subtitle message displayed when In-App Purchases are not supported, redirecting to contact support if needed. */ "Please contact support for assistance." = "請接洽支援團隊取得協助"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is an issue with the merchant account or device. */ -"Please contact support – there was an issue starting Tap to Pay on iPhone" = "請聯絡支援團隊:啟動 iPhone 的點選支付功能時發生問題"; - /* Description of alert for suggestion on how to connect to a WP.com sitePresented when a user logs in with an email that does not have access to a WP.com site */ "Please contact the site owner for an invitation to the site as a shop manager or administrator to use the app." = "請聯絡網站管理員以獲得網站邀請,成為商店經理或管理員後即可使用應用程式。"; @@ -5005,9 +4887,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when no package is selected on Shipping Label Package Details screen */ "Please select a package" = "請選取包裹"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device is not signed in to iCloud. */ -"Please sign in to iCloud on this device to use Tap to Pay on iPhone." = "請在此裝置上登入 iCloud,才能使用 iPhone 的點選支付功能"; - /* The info of the Error Loading Data banner */ "Please try again later or reach out to us and we'll be happy to assist you!" = "請稍後再試或與我們聯絡,我們將很樂意提供協助!"; @@ -5020,9 +4899,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text for the default store picker error screen */ "Please try again or reach out to us and we'll be happy to assist you!" = "請再試一次或與我們聯絡,我們將很樂意提供協助!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the merchant cancelled or did not complete the Terms of Service acceptance flow */ -"Please try again, and accept Apple's Terms of Service, so you can use Tap to Pay on iPhone." = "請再試一次;你需要接受 Apple 的服務條款,才能使用 iPhone 的點選支付功能"; - /* Subtitle message displayed when the merchant already has one store upgraded under the same Apple ID. */ "Please try again, or contact support for assistance" = "請再試一次,或聯絡支援團隊以取得協助"; @@ -5035,9 +4911,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when Jetpack install fails */ "Please try again. Alternatively, you can install Jetpack through your WP-Admin." = "請再試一次。 或者,你可以透過 WP 管理員安裝 Jetpack。"; -/* Default message when there is an unexpected error loading domain suggestions on the domain selector. */ -"Please try another query." = "請嘗試其他查詢。"; - /* Settings > Manage Card Reader > Connected Reader > A prompt to update a reader running older software */ "Please update your reader software to keep accepting payments" = "請更新你的讀卡機軟體以接受付款"; @@ -5172,9 +5045,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice title when updating the price via the bulk variation screen */ "Prices updated successfully." = "已成功更新價格。"; -/* Title for a free domain if the domain is the primary site address. */ -"Primary site address" = "網站主要網址"; - /* Title of print button on Print Customs Invoice screen of Shipping Label flow when there are more than one invoice */ "Print" = "列印"; @@ -5461,13 +5331,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* A placeholder for the text field that the user can edit to indicate why they are issuing a refund. */ "Reason for refunding order" = "退還訂單費用原因"; -/* The title of the view containing a receipt preview - Title of receipt. */ +/* The title of the view containing a receipt preview */ "Receipt" = "收據"; -/* Title of receipt. Reads like Receipt from WooCommerce, Inc. */ -"Receipt from %1$@" = "%1$@ 收據"; - /* No comment provided by engineer. */ "Recurring payments'" = "定期付款"; @@ -5544,9 +5410,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button in the view for adding or editing a coupon code. */ "Regenerate Coupon Code" = "重新產生優惠券代碼"; -/* Title of the domain contact info form. */ -"Register domain" = "註冊網域"; - /* The label in the option of selecting to bulk update the regular price of a product variation */ "Regular Price" = "原價"; @@ -5569,9 +5432,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Confirmation title before removing an attribute from a variation. */ "Remove Attribute" = "移除屬性"; -/* Message from the in-person payment card reader prompting user to remove their card */ -"Remove Card" = "移除卡片"; - /* Text for button to remove a discount in the discounts details screen Title for the Remove button in Details screen during order creation */ "Remove Discount" = "移除折扣"; @@ -5612,9 +5472,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Navigation title for the Rename Attributes screen */ "Rename Attribute" = "重新命名屬性"; -/* Renewal date of a site's domain in domain settings. Reads like `Renews on October 11, 2023`. */ -"Renews on %1$@" = "更新時間:%1$@"; - /* Action to replace one photo on the Product images screen */ "Replace Photo" = "替換相片"; @@ -5701,9 +5558,6 @@ If your translation of that term also happens to contains a hyphen, please be su Button to try again after connecting to a specific reader fails due to postal code problems. Intended for use after the merchant corrects the postal code in the store admin pages. */ "Retry After Updating" = "更新後重試"; -/* Message from the in-person payment card reader prompting user to retry payment with their card */ -"Retry Card" = "再試一次卡片"; - /* Action button to check site's connection again. */ "Retry Connection" = "重試連線"; @@ -5766,9 +5620,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* One Time Code has been sent via SMS */ "SMS Sent" = "簡訊已傳送"; -/* Header label of the domain suggestions on the domain selector. */ -"SUGGESTIONS" = "建議"; - /* Button label to open web page in Safari */ "Safari" = "Safari"; @@ -5908,12 +5759,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Accessibility label for the Search Coupons button */ "Search coupons" = "搜尋優惠券"; -/* Title of the domain selector in domain settings. */ -"Search domains" = "搜尋網域"; - -/* Title of the button on the domain settings screen to search for a domain. */ -"Search for a Domain" = "搜尋網域"; - /* Message to prompt users to search for customers on the customer search screen */ "Search for an existing customer or" = "搜尋現有顧客,或"; @@ -6166,8 +6011,7 @@ If your translation of that term also happens to contains a hyphen, please be su Date an item was shipped */ "Shipped %@" = "已運送 %@"; -/* Line description for 'Shipping' cart total on the receipt. Only shown when non-zero - Product Shipping Settings navigation title +/* Product Shipping Settings navigation title Shipping label for payment view Title of the product form bottom sheet action for editing shipping settings. Title of the Shipping Settings row on Product main screen */ @@ -6328,9 +6172,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when at least an address on the Coupon Allowed Emails screen is not valid. */ "Some email address is not valid." = "部分電子郵件地址無效。"; -/* Message in the error notice when an unknown validation error occurs after submitting domain contact info. */ -"Some unexpected error with the validation. Please check the fields and try again." = "驗證發生未預期錯誤。 請檢查各欄位並再試一次。"; - /* Indicates the reviewer does not have a name. It reads { Someone left a review} */ "Someone" = "某人"; @@ -6398,12 +6239,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this payment couldn’t be processed" = "抱歉,無法處理此付款"; -/* Error message when the card reader service experiences an unexpected internal service error. */ -"Sorry, this payment couldn’t be processed." = "抱歉,無法處理此付款。"; - -/* Error message shown when a refund could not be canceled (likely because it had already completed) */ -"Sorry, this refund could not be canceled." = "抱歉,無法取消此退款"; - /* Error message when the card reader service experiences an unexpected internal service error. */ "Sorry, this refund couldn’t be processed" = "抱歉,無法處理此退款"; @@ -6416,12 +6251,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* No comment provided by engineer. */ "Sorry, usernames must have letters (a-z) too!" = "抱歉,使用者名稱也必須包含字母 (a-z)!"; -/* Underlying error message for actions which require an active payment, such as cancellation, when none is found. Unlikely to be shown. */ -"Sorry, we could not complete this action, as no active payment was found." = "很抱歉,我們找不到任何進行中的付款,無法完成此動作。"; - -/* Error message shown when an in-progress connection is cancelled by the system */ -"Sorry, we could not connect to the reader. Please try again." = "抱歉,我們無法連線至閱讀器。 請再試一次。"; - /* Error message when Tap to Pay on iPhone connection experiences an unexpected internal service error. */ "Sorry, we could not start Tap to Pay on iPhone. Please check your connection and try again." = "不好意思,我們無法在 iPhone 上啟動「Tap to Pay」。 請檢查你的連線並再試一次。"; @@ -6539,7 +6368,6 @@ If your translation of that term also happens to contains a hyphen, please be su "Subscriptions" = "訂閱"; /* Create Shipping Label form -> Subtotal label - Line description for 'Subtotal' cart total on the receipt. The subtotal of the products purchased before discounts. Subtotal label for a refund details view Title on the refund screen that lists the fees subtotal cost Title on the refund screen that lists the products refund subtotal cost @@ -6556,12 +6384,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the footer in Shipping Label Package Detail screen */ "Sum of products and package weight" = "產品與包裹總重"; -/* Title of 'Summary' section in the receipt when the order number is unknown */ -"Summary" = "摘要"; - -/* Title of 'Summary' section in the receipt. %1$@ is the order number, e.g. 4920 */ -"Summary: Order #%1$@" = "摘要:訂單 #%1$@"; - /* Country option for a site address. */ "Suriname" = "蘇利南"; @@ -6574,9 +6396,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Sweden" = "瑞典"; -/* Message from the in-person payment card reader prompting user to swipe their card */ -"Swipe Card" = "刷卡"; - /* This action allows the user to change stores without logging out and logging back in again. */ "Switch Store" = "切換商店"; @@ -6622,9 +6441,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Toast message showing up when tapping Copy button on System Status Report screen. */ "System status report copied to clipboard" = "複製到剪貼簿的系統狀態報告"; -/* Message when attempting to pay for a live transaction with a test card. */ -"System test cards are not permitted for payment. Try another means of payment." = "不允許使用系統測試卡片付款。 請嘗試其他付款方式"; - /* Country option for a site address. */ "São Tomé and Príncipe" = "聖多美普林西比"; @@ -6680,9 +6496,6 @@ If your translation of that term also happens to contains a hyphen, please be su The button title on the reader type alert, for the user to choose Tap to Pay on iPhone. */ "Tap to Pay on iPhone" = "iPhone 上的「Tap to Pay」(輕觸付款) 功能"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there is a call in progress */ -"Tap to Pay on iPhone cannot be used during a phone call. Please try again after you finish your call." = "通話期間無法使用 iPhone 的點選支付功能。 請在通話結束後再試一次。"; - /* Indicates the status of Tap to Pay on iPhone collection readiness. Presented to users when payment collection starts */ "Tap to Pay on iPhone is ready" = "「iPhone 卡緊收」已準備就緒"; @@ -6780,8 +6593,7 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the cell in Product Price Settings > Tax status */ "Tax status" = "稅金狀態"; -/* Line description for tax charged on the whole cart. Only shown when non-zero - Taxes label for payment view */ +/* Taxes label for payment view */ "Taxes" = "稅金"; /* Title for the tax educational dialog */ @@ -6805,9 +6617,6 @@ If your translation of that term also happens to contains a hyphen, please be su Title of button that displays the App's terms of service */ "Terms of Service" = "服務條款"; -/* Cell description on beta features screen to enable in-app purchases */ -"Test out in-app purchases as we get ready to launch" = "在準備推出前測試應用程式內購買項目"; - /* Cell description on the beta features screen to enable the order add-ons feature */ "Test out viewing Order Add-Ons as we get ready to launch" = "搶先試用訂單附加元件檢視功能"; @@ -6862,84 +6671,33 @@ The hyphen in "In‑Person" is a non-breaking hyphen (U+2011). If your translation of that term also happens to contains a hyphen, please be sure to use the non-breaking hyphen character for it. */ "The %1$@ extension is installed on your store, but needs to be updated for In‑Person Payments. Please update it to the most recent version." = "你的商店已安裝 %1$@ 擴充功能,但需要更新才能使用親自收款功能。 請更新至最新版本。"; -/* Error message when the card reader loses its Bluetooth connection to the card reader. */ -"The Bluetooth connection to the card reader disconnected unexpectedly." = "藍牙與讀卡機的連接意外中斷"; - /* Description shown when a user logs in with Google but no matching WordPress.com account is found */ "The Google account \"%@\" doesn't match any account on WordPress.com" = "沒有任何與 Google 帳號「%@」匹配的 WordPress.com 帳號"; /* Fetching an Order Failed */ "The Order couldn't be loaded!" = "無法載入訂單!"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the amount for payment is not supported for Tap to Pay on iPhone. */ -"The amount is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "iPhone 的點選支付功能不支援此金額,請嘗試硬體讀卡機或其他付款方式。"; - -/* Error message shown when Tap to Pay on iPhone cannot be used because the device's NFC chipset has been disabled by a device management policy. */ -"The app could not enable Tap to Pay on iPhone, because the NFC chip is disabled. Please contact support for more details." = "NFC 晶片已停用,應用程式無法啟用 iPhone 的點選支付功能。 如需詳細資訊,請聯絡支援團隊。"; - /* Error title when trying to remove an attribute remotely. */ "The attribute couldn't be removed." = "無法移除該屬性。"; /* Error title when trying to update or create an attribute remotely. */ "The attribute couldn't be saved." = "無法儲存該屬性。"; -/* Message when the card presented does not support the order currency. */ -"The card does not support this currency. Try another means of payment." = "卡片不支援此幣別。 請嘗試其他付款方式"; - -/* Message when the card presented does not allow this type of purchase. */ -"The card does not support this type of purchase. Try another means of payment." = "卡片不支援這類購買項目。 請嘗試其他付款方式"; - -/* Message when the presented card is past its expiration date. */ -"The card has expired. Try another means of payment." = "卡片已到期。 請嘗試其他付款方式"; - -/* Message when payment is declined for a non specific reason. */ -"The card or card account is invalid. Try another means of payment." = "卡片或卡片帳號無效。 請嘗試其他付款方式"; - -/* Error message when the card reader is busy executing another command. */ -"The card reader is busy executing another command - please try again." = "讀卡機正忙於執行其他命令 - 請再試一次"; - -/* Error message when the card reader is incompatible with the application. */ -"The card reader is not compatible with this application - please try updating the application or using a different reader." = "讀卡機與此應用程式不相容 - 請嘗試更新應用程式或使用其他讀卡機"; - -/* Error message when the card reader session has timed out. */ -"The card reader session has expired - please disconnect and reconnect the card reader and then try again." = "讀卡機工作階段已過期 - 請中斷並重新連接讀卡機,然後再試一次"; - /* Error message when the card reader software is too far out of date to process payments. */ "The card reader software is out-of-date - please update the card reader software before attempting to process payments" = "讀卡機軟體已過期 - 請先更新讀卡機軟體,再嘗試處理付款"; -/* Error message when the card reader software is too far out of date to process payments. */ -"The card reader software is out-of-date - please update the card reader software before attempting to process payments." = "讀卡機軟體已過期,請先更新讀卡機軟體,再嘗試處理付款。"; - /* Error message when the card reader software is too far out of date to process in-person refunds. */ "The card reader software is out-of-date - please update the card reader software before attempting to process refunds" = "讀卡機軟體已過期 - 請先更新讀卡機軟體,再嘗試處理退款"; -/* Error message when the card reader software update fails due to a communication error. */ -"The card reader software update failed due to a communication error - please try again." = "通訊錯誤導致讀卡機軟體更新失敗 - 請再試一次"; - -/* Error message when the card reader software update fails due to a problem with the update server. */ -"The card reader software update failed due to a problem with the update server - please try again." = "更新伺服器時發生問題,導致讀卡機軟體更新失敗 - 請再試一次"; - -/* Error message when the card reader software update fails unexpectedly. */ -"The card reader software update failed unexpectedly - please try again." = "讀卡機軟體更新意外失敗 - 請再試一次"; - -/* Error message when the card reader software update is interrupted. */ -"The card reader software update was interrupted before it could complete - please try again." = "讀卡機軟體更新尚未完成即被中斷 - 請再試一次"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of payment" = "該卡片被讀卡機拒絕 - 請嘗試其他付款方式"; -/* Error message when the card reader itself declines the card. */ -"The card was declined by the card reader - please try another means of payment." = "卡片遭讀卡機拒絕,請嘗試其他付款方式。"; - /* Error message when the card reader itself declines the card. */ "The card was declined by the card reader - please try another means of refund" = "該卡片遭讀卡機拒絕 - 請嘗試其他退款方式"; /* Error message when the card reader itself declines the card. */ "The card was declined by the iPhone card reader - please try another means of payment" = "該卡片被 iPhone 讀卡機拒絕,請嘗試其他付款方式"; -/* Error message when the card processor declines the payment. */ -"The card was declined by the payment processor - please try another means of payment." = "該卡片遭付款處理商拒絕,請嘗試其他付款方式。"; - /* Message for when the certificate for the server is invalid. The %@ placeholder will be replaced the a host name, received from the API. */ "The certificate for this server is invalid. You might be connecting to a server that is pretending to be “%@” which could put your confidential information at risk.\n\nWould you like to trust the certificate anyway?" = "此伺服器的憑證無效。你可能正連線至冒充為「%@」的伺服器,而這可能洩漏你的機密資料。\n\n是否仍然要信任憑證?"; @@ -6952,39 +6710,18 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message in the Add Edit Coupon screen when the coupon code is empty. */ "The coupon code couldn't be empty" = "優惠券代碼不得為空白"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the currency for payment is not supported for Tap to Pay on iPhone. */ -"The currency is not supported for Tap to Pay on iPhone – please try a hardware reader or another payment method." = "iPhone 的點選支付功能不支援此貨幣,請嘗試硬體讀卡機或其他付款方式。"; - /* Message at the bottom of Review Order screen to inform of emailing the customer upon completing order */ "The customer will receive an email once order is completed" = "訂單完成後,客戶會收到電子郵件"; -/* Subtitle of the domain selector in domain settings. %1$@ is the free domain of the site from WordPress.com. */ -"The domain purchased will redirect users to **%1$@**" = "購買的網域會將使用者重新導向至 **%1$@**"; - -/* Subtitle of the domain selector in domain settings when a free staging domain is unavailable. */ -"The domain purchased will redirect users to the current staging domain" = "購買的網域會將使用者重新導向至目前的暫存網域"; - -/* Footnote about the domain credit banner in domain settings. */ -"The domain purchased will redirect users to your primary address." = "購買的網域會將使用者重新導向至你的主要位址。"; - /* Label within the modal dialog that appears when starting Tap to Pay on iPhone */ "The first time you use Tap to Pay on iPhone, you may be prompted to accept Apple's Terms of Service." = "第一次使用「iPhone 卡緊收」時,系統可能會提示你接受 Apple 的服務條款。"; -/* Message when the presented card does not allow the purchase amount. */ -"The payment amount is not allowed for the card presented. Try another means of payment." = "顯示的卡片不允許該支付金額。 請嘗試其他付款方式。"; - /* Error message when the payment can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The payment can not be processed by the payment processor." = "付款處理商無法處理付款。"; -/* Message from the in-person payment card reader prompting user to retry a payment using the same card because it was removed too early. */ -"The payment card was removed too early, please try again." = "太早移除付款卡片,請再試一次。"; - /* In Refund Confirmation, The message shown to the user to inform them that they have to issue the refund manually. */ "The payment method does not support automatic refunds. Complete the refund by transferring the money to the customer manually." = "此付款方式不支援自動退款。 若要完成退款,請手動將款項轉帳給客戶。"; -/* Error message when the cancel button on the reader is used. */ -"The payment was canceled on the reader." = "在讀卡機上取消了該次付款"; - /* Message shown if a payment cancellation is shown as an error. */ "The payment was cancelled." = "此付款已取消。"; @@ -7015,9 +6752,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when the in-person refund can not be processed (i.e. order amount is below the minimum amount allowed.) */ "The refund can not be processed by the payment processor." = "付款處理商無法處理退款。"; -/* Error message when a request times out. */ -"The request timed out - please try again." = "要求逾時 - 請再試一次"; - /* Message to display when the generating application password fails with unauthorized error */ "The request to generate application password is not authorized." = "產生應用程式密碼的要求未獲授權。"; @@ -7057,24 +6791,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* VoiceOver accessibility hint, informing the user that the cell shows the stock quantity information for this product. */ "The stock quantity for this product. Editable." = "此產品的存貨數量。可編輯。"; -/* Error message when there is an issue with the store address preventing an action (e.g. reader connection.) */ -"The store address is incomplete or missing, please update it before continuing." = "商店地址不完整或遺漏,請更新資訊後再繼續。"; - -/* Error message when there is an issue with the store postal code preventing an action (e.g. reader connection.) */ -"The store postal code is invalid or missing, please update it before continuing." = "商店郵遞區號無效或遺漏,請更新資訊後再繼續。"; - -/* Error message when the system cancels a command. */ -"The system canceled the command unexpectedly - please try again." = "系統意外取消命令 - 請再試一次"; - -/* Error message when the card reader service experiences an unexpected software error. */ -"The system experienced an unexpected software error." = "系統發生未預期的軟體錯誤"; - /* Message for the error alert when fetching system status report fails */ "The system status report for your site cannot be fetched at the moment. Please try again." = "目前無法擷取你的網站系統狀態報告。 請再試一次。"; -/* Message when the presented card postal code doesn't match the order postal code. */ -"The transaction postal code and card postal code do not match. Try another means of payment." = "交易郵遞區號和卡片郵遞區號不符。 請嘗試其他付款方式"; - /* Error notice shown when the try a payment option in Set up Tap to Pay on iPhone fails. */ "The trial payment could not be started, please try again, or contact support if this problem persists." = "無法啟動試用方案的付款程序,請再試一次。如果此問題一直無法解決,請聯絡支援團隊。"; @@ -7166,9 +6885,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text when there is an unknown error while trying to collect payments */ "There was an error while trying to collect the payment." = "嘗試收款時發生錯誤。"; -/* Error message shown when Tap to Pay on iPhone cannot be used because there was some issue with the connection. Retryable. */ -"There was an issue preparing to use Tap to Pay on iPhone – please try again." = "準備使用 iPhone 的點選支付功能時發生錯誤,請再試一次。"; - /* Software Licenses (information page title) Title of button that displays information about the third party software libraries used in the creation of this app */ "Third Party Licenses" = "第三方授權"; @@ -7194,9 +6910,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining more detail on why the user's role is incorrect. */ "This app supports only Administrator and Shop Manager user roles. Please contact your store owner to upgrade your role." = "此應用程式只支援「管理員」和「商店經理」使用者角色。 請聯絡商店擁有者以升級你的角色。"; -/* Message when a card requires a PIN code and we have no means of entering such a code. */ -"This card requires a PIN code and thus cannot be processed. Try another means of payment." = "這張卡片需要 PIN 碼,因此無法處理。 請嘗試其他付款方式"; - /* Reason for why the user could not login tin the application password tutorial screen */ "This could be because your store has some extra security steps in place." = "這可能是因為你的商店還需準備一些額外的安全性步驟。"; @@ -7227,9 +6940,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message in action sheet when an order item is about to be moved on Package Details screen of Shipping Label flow.The package name reads like: Package 1: Custom Envelope. */ "This item is currently in Package %1$d: %2$@. Where would you like to move it?" = "此商品目前在包裹 %1$d 中:%2$@。 你想移到哪裡?"; -/* Explanation in the alert shown when a retry fails because the payment already completed */ -"This payment has already been completed – please check the order details." = "此付款已完成,請確認訂單詳細資料。"; - /* Message displayed when loading a specific product fails */ "This product couldn't be loaded" = "無法載入此產品"; @@ -7422,12 +7132,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action button that will restart the login flow.Presented when logging in with an email address that does not match a WordPress.com account */ "Try Another Address" = "嘗試其他地址"; -/* Message from the in-person payment card reader prompting user to retry a payment using a different card */ -"Try Another Card" = "請嘗試其他卡片"; - -/* Message from the in-person payment card reader prompting user to retry a payment using a different method, e.g. swipe, tap, insert */ -"Try Another Read Method" = "請嘗試其他讀取方法"; - /* Action button to retry Jetpack connection. */ "Try Authorizing Again" = "嘗試重新授權"; @@ -7465,9 +7169,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Title of the action button to log in with WP-Admin page in a web view, presented when site credential login fails */ "Try again with WP-Admin page" = "在儀表板頁面上再試一次"; -/* Message when a lost or stolen card is presented for payment. Do NOT disclose fraud. */ -"Try another means of payment." = "請嘗試其他付款方式"; - /* Message on the Jetpack setup interrupted screen */ "Try connecting again to access your store." = "嘗試重新連結以存取商店。"; @@ -7480,9 +7181,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* When social login fails, this button offers to let them try tp login using a URL */ "Try with the site address" = "請嘗試使用網站位址登入"; -/* Message when a card is declined due to a potentially temporary problem. */ -"Trying again may succeed, or try another means of payment." = "再試一次可能會成功,或嘗試其他付款方式"; - /* Country option for a site address. */ "Tunisia" = "突尼西亞"; @@ -7510,9 +7208,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Country option for a site address. */ "Tuvalu" = "吐瓦魯"; -/* Placeholder of the search text field on the domain selector. */ -"Type a name for your store" = "輸入你的商店名稱"; - /* Placeholder for the Content Details row in Customs screen of Shipping Label flow */ "Type of contents" = "內容物類型"; @@ -7535,12 +7230,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Shown when a user logs in with Google but it subsequently fails to work as login to WordPress.com */ "Unable To Connect" = "無法連線"; -/* Error message when Bluetooth is not enabled or available. */ -"Unable to access Bluetooth - please enable Bluetooth and try again." = "無法存取藍牙 - 請啟用藍牙,然後再試一次"; - -/* Error message when location services is not enabled for this application. */ -"Unable to access Location Services - please enable Location Services and try again." = "無法存取定位服務 - 請啟用定位服務,然後再試一次"; - /* Info message when the user tries to add a couponthat is not applicated to the products */ "Unable to add coupon." = "無法新增優惠券。"; @@ -7553,18 +7242,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Content of error presented when updating the status of an Order fails. It reads: Unable to change status of order #{order number}. Parameters: %1$d - order number */ "Unable to change status of order #%1$d" = "無法變更訂單 #%1$d 的狀態"; -/* Error message when communication with the card reader is disrupted. */ -"Unable to communicate with reader - please try again." = "無法與讀卡機通訊 - 請再試一次"; - -/* Error message when attempting to connect to a card reader which is already in use. */ -"Unable to connect to card reader - the card reader is already in use." = "無法連接讀卡機 - 讀卡機已在使用中"; - -/* Error message when a card reader is already connected and we were not expecting one. */ -"Unable to connect to reader - another reader is already connected." = "無法連接讀卡機 - 已連接其他讀卡機"; - -/* Error message the card reader battery level is too low to connect to the phone or tablet. */ -"Unable to connect to reader - the reader has a critically low battery - charge the reader and try again." = "無法連接讀卡機 - 讀卡機電量嚴重不足 - 請將讀卡機充電後再試一次。"; - /* Notice displayed when order creation fails */ "Unable to create new order" = "無法建立新訂單"; @@ -7649,15 +7326,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Review error notice message. It reads: Unable to mark review as {attempted status} */ "Unable to mark review as %@" = "無法將評論標記為%@"; -/* Error message when the card reader cannot be used to perform the requested task. */ -"Unable to perform request with the connected reader - unsupported feature - please try again with another reader." = "無法使用連接的讀卡機執行要求 - 不支援功能 - 請使用其他讀卡機再試一次"; - -/* Error message when the application is so out of date that the backend refuses to work with it. */ -"Unable to perform software request - please update this application and try again." = "無法執行軟體要求 - 請更新此應用程式,然後再試一次"; - -/* Error message when the payment intent is invalid. */ -"Unable to process payment due to invalid data - please try again." = "資料無效,無法處理付款 - 請再試一次"; - /* Error message when the order amount is below the minimum amount allowed. */ "Unable to process payment. Order total amount is below the minimum amount you can charge, which is %1$@" = "無法處理付款。 訂單總金額低於可以收取的最低金額 %1$@"; @@ -7673,15 +7341,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Error message when collecting an In-Person Payment and unable to update the order. %!$@ will be replaced with further error details. */ "Unable to process payment. We could not fetch the latest order details. Please check your network connection and try again. Underlying error: %1$@" = "無法處理付款。 我們無法擷取最新的訂單詳細資料。 請檢查你的連線並再試一次。 潛在錯誤:%1$@"; -/* Error message when the card reader times out while reading a card. */ -"Unable to read card - the system timed out - please try again." = "無法讀卡 - 系統逾時 - 請再試一次"; - -/* Error message when the card reader is unable to read any chip on the inserted card. */ -"Unable to read inserted card - please try removing and inserting card again." = "無法讀取插入的卡片 - 請嘗試取出並重新插入卡片"; - -/* Error message when the card reader is unable to read a swiped card. */ -"Unable to read swiped card - please try swiping again." = "無法讀取刷入的卡片 - 請重新刷卡"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "無法透過該 URL 讀取 WordPress 網站。 點選「需要更多說明?」即可檢視常見問題。"; @@ -7704,21 +7363,12 @@ If your translation of that term also happens to contains a hyphen, please be su /* Notice displayed when data cannot be synced for edited order */ "Unable to save changes. Please try again." = "無法儲存變更。 請再試一次。"; -/* Error message when Bluetooth Low Energy is not supported on the user device. */ -"Unable to search for card readers - Bluetooth Low Energy is not supported on this device - please use a different device." = "無法搜尋讀卡機 - 此裝置不支援藍牙低功耗 - 請使用其他裝置"; - -/* Error message when Bluetooth scan times out during reader discovery. */ -"Unable to search for card readers - Bluetooth timed out - please try again." = "無法搜尋讀卡機 - 藍牙逾時 - 請再試一次"; - /* Error notice title when we fail to update an address when creating or editing an order. */ "Unable to set customer details." = "無法設定顧客詳細資訊。"; /* Error notice title when we fail to update an address in the edit address screen. */ "Unable to update address." = "無法更新地址。"; -/* Error message when the card reader battery level is too low to safely perform a software update. */ -"Unable to update card reader software - the reader battery is too low." = "無法更新讀卡機軟體 - 讀卡機電池電量過低"; - /* Notice title when unable to bulk update price of the variations */ "Unable to update price" = "無法更新價格"; @@ -8186,9 +7836,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Banner caption in Shipping Label Address Validation when the destination address can't be verified and no customer phone number is found. */ "We were unable to automatically verify the shipping address. View on Apple Maps to make sure the address is correct." = "我們無法自動驗證運送地址。 請檢視 Apple 地圖,確認地址是否正確。"; -/* Explanation in the alert presented when a retry of a payment fails */ -"We were unable to retry the payment – please start again." = "我們無法重試付款,請重頭再試一次。"; - /* Error message displayed when an error occurred sending the magic link email. */ "We were unable to send you an email at this time. Please try again later." = "我們目前無法寄送電子郵件給你。請稍後再試一次。"; @@ -8418,9 +8065,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Info notice at the bottom of the product add-ons screen */ "You can edit product add-ons in the web dashboard." = "你可以在 Web 儀表板中編輯產品附加元件。"; -/* Instructions of the domain purchase success screen. */ -"You can find the domain settings in menu > settings" = "你可以在「選單」>「設定」中查看網域設定"; - /* Subtitle displayed in promotional screens shown during the login flow. */ "You can manage quickly and easily." = "你可以快速輕鬆管理。"; @@ -8454,9 +8098,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message to be displayed when the user encounters a permission error during Jetpack setup */ "You don't have permission to manage plugins on this store." = "你無權管理此商店的外掛程式。"; -/* Subtitle of the domain credit banner in domain settings. */ -"You have a free one-year domain registration included with your plan." = "你的方案已包含一年免費網域註冊。"; - /* Title for the mocked order notification needed for the AppStore listing screenshot */ "You have a new order! 🎉" = "你有新訂單!🎉"; @@ -8471,9 +8112,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Alert message to confirm the user wants to discard changes in Product Visibility */ "You need to add a password to make your product password-protected" = "你需要新增密碼,才能讓產品受密碼保護"; -/* Error message shown when Tap to Pay on iPhone cannot be used because the device does not have a passcode set. */ -"You need to set a lock screen passcode to use Tap to Pay on iPhone." = "你需要設定螢幕鎖定密碼,才能使用 iPhone 的點選支付功能"; - /* Error messaged show when a mobile plugin is redirecting traffict to their site, DudaMobile in particular */ "You seem to have installed a mobile plugin from DudaMobile which is preventing the app to connect to your blog" = "你似乎安裝了 DudaMobile 的行動版外掛程式,導致應用程式無法連接至你的網誌"; @@ -8506,9 +8144,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Message explaining that an email is not associated with a WordPress.com account. Presented when logging in with an email address that is not a WordPress.com account */ "Your email isn't used with a WordPress.com account" = "你的電子郵件並未用於 WordPress.com 帳號"; -/* Title of the free domain view. */ -"Your free store address" = "你的免費商店位址"; - /* Title for the Upgrades summary card, informing the merchant their Free Trial has ended. */ "Your free trial has ended" = "你的免費試用已結束"; @@ -8551,12 +8186,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Body text of alert helping users understand their site address */ "Your site address appears in the bar at the top of the screen when you visit your site in Safari." = "當你使用 Safari 造訪自己的網站時,網站位址會顯示在畫面上方的網址列中。"; -/* Subtitle of the domain purchase success screen. */ -"Your site address is being set up. It may take up to 30 minutes for your domain to start working." = "你的網站位址正在設定中。 你的網域最多可能需要 30 分鐘才能開始運作。"; - -/* Header text of the site's domain list in domain settings. */ -"Your site domains" = "你網站的網域名稱"; - /* The title of the Error Loading Data banner when there is a Jetpack connection error */ "Your site is taking a long time to respond" = "你的網站太久沒有回應"; @@ -10491,135 +10120,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to navigate to the Google Ads campaign dashboard. */ "googleAdsDashboardCard.viewAll" = "檢視所有行銷活動"; -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.cardReaderServiceError.bluetoothDenied" = "此應用程式需要權限,才可存取藍牙來連結至你的讀卡機。 請在系統的「設定」應用程式 (位於 Woo 區段) 中授予權限。"; - -/* Error message when Bluetooth is already paired with another device. */ -"hardware.cardReader.underlyingError.bluetoothAlreadyPairedWithAnotherDevice" = "藍牙讀卡機已和其他裝置配對。 請先重設讀卡機配對,才可連結至此裝置。"; - -/* Error message when the Bluetooth connection has an invalid location ID parameter. */ -"hardware.cardReader.underlyingError.bluetoothConnectionInvalidLocationIdParameter" = "藍牙連結的位置 ID 無效。"; - -/* Explanation in the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"hardware.cardReader.underlyingError.bluetoothDenied" = "此應用程式需要權限,才可存取藍牙來連結至你的讀卡機。 請在系統的「設定」應用程式 (位於 Woo 區段) 中授予權限。"; - -/* Error message when the Bluetooth peer removed pairing information. */ -"hardware.cardReader.underlyingError.bluetoothPeerRemovedPairingInformation" = "讀卡機已移除此裝置的配對資訊。 嘗試在 iOS 設定中遺忘此讀卡機。"; - -/* Error message when Bluetooth reconnect has started. */ -"hardware.cardReader.underlyingError.bluetoothReconnectStarted" = "藍牙讀卡機已中斷連結,我們正在嘗試重新連結。"; - -/* Error message when an operation cannot be canceled because it is already completed. */ -"hardware.cardReader.underlyingError.cancelFailedAlreadyCompleted" = "此操作無法取消,因為已經完成。"; - -/* Error message when card swipe functionality is unavailable. */ -"hardware.cardReader.underlyingError.cardSwipeNotAvailable" = "刷卡功能無法使用。"; - -/* Error message when the command is not allowed. */ -"hardware.cardReader.underlyingError.commandNotAllowed" = "請聯絡支援團隊:系統不允許此命令由作業系統執行。"; - -/* Error message when the command requires cardholder consent. */ -"hardware.cardReader.underlyingError.commandRequiresCardholderConsent" = "持卡人須先同意,此操作才可成功進行。"; - -/* Error message when the connection token provider finishes with an error. */ -"hardware.cardReader.underlyingError.connectionTokenProviderCompletedWithError" = "擷取連結權杖時發生錯誤。"; - -/* Error message when the connection token provider operation times out. */ -"hardware.cardReader.underlyingError.connectionTokenProviderTimedOut" = "連結權杖要求已逾時。"; - -/* Error message when a feature is unavailable. */ -"hardware.cardReader.underlyingError.featureNotAvailable" = "請聯絡支援團隊:此功能無法使用。"; - -/* Error message when forwarding a live mode payment in test mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingLiveModePaymentInTestMode" = "禁止在測試模式中轉移即時模式付款。"; - -/* Error message when forwarding a test mode payment in live mode is prohibited. */ -"hardware.cardReader.underlyingError.forwardingTestModePaymentInLiveMode" = "禁止在即時模式中轉移測試模式付款。"; - -/* Error message when Interac is not supported in offline mode. */ -"hardware.cardReader.underlyingError.interacNotSupportedOffline" = "Interac 不支援離線模式。"; - -/* Error message when an internal network error occurs. */ -"hardware.cardReader.underlyingError.internalNetworkError" = "發生不明網路錯誤。"; - -/* Error message when the internet connection operation timed out. */ -"hardware.cardReader.underlyingError.internetConnectTimeOut" = "連結讀卡機的網際網路連結逾時。 請確保裝置與讀卡機連上相同的 Wifi 網路,而你的讀卡機已成功連結至 Wifi 網路。"; - -/* Error message when the client secret is invalid. */ -"hardware.cardReader.underlyingError.invalidClientSecret" = "請聯絡支援團隊:用戶端密碼無效。"; - -/* Error message when the discovery configuration is invalid. */ -"hardware.cardReader.underlyingError.invalidDiscoveryConfiguration" = "請聯絡支援團隊:探索設定無效。"; - -/* Error message when the location ID parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidLocationIdParameter" = "位置 ID 無效。"; - -/* Error message when the reader for update is invalid. */ -"hardware.cardReader.underlyingError.invalidReaderForUpdate" = "更新的讀卡機無效。"; - -/* Error message when the refund parameters are invalid. */ -"hardware.cardReader.underlyingError.invalidRefundParameters" = "請聯絡支援團隊:退款參數無效。"; - -/* Error message when a required parameter is invalid. */ -"hardware.cardReader.underlyingError.invalidRequiredParameter" = "請聯絡支援團隊:要求的參數無效。"; - -/* Error message when EMV data is missing. */ -"hardware.cardReader.underlyingError.missingEMVData" = "讀卡機無法讀取所出示付款方式的資料。 如果你重覆遇到此問題,代表讀卡機可能已故障,屆時請聯絡支援團隊。"; - -/* Error message when the payment intent is missing. */ -"hardware.cardReader.underlyingError.nilPaymentIntent" = "請聯絡支援團隊:付款意向遺失。"; - -/* Error message when the refund payment method is missing. */ -"hardware.cardReader.underlyingError.nilRefundPaymentMethod" = "請聯絡支援團隊:退款的付款方式遺失。"; - -/* Error message when the setup intent is missing. */ -"hardware.cardReader.underlyingError.nilSetupIntent" = "請聯絡支援團隊:設定意向遺失。"; - -/* Error message when the card is expired and offline mode is active. */ -"hardware.cardReader.underlyingError.offlineAndCardExpired" = "離線時確認款項,辨識出信用卡已到期。"; - -/* Error message when there is a mismatch between offline collect and confirm. */ -"hardware.cardReader.underlyingError.offlineCollectAndConfirmMismatch" = "請確保網路連結在款項收取與確認時不中斷。"; - -/* Error message when a test card is used in live mode while offline. */ -"hardware.cardReader.underlyingError.offlineTestCardInLivemode" = "離線時於即時模式中使用測試信用卡。"; - -/* Error message when the offline transaction was declined. */ -"hardware.cardReader.underlyingError.offlineTransactionDeclined" = "在離線時確認付款,卡片驗證失敗。"; - -/* Error message when online PIN is not supported in offline mode. */ -"hardware.cardReader.underlyingError.onlinePinNotSupportedOffline" = "線上 PIN 碼不支援離線模式。 請使用其他卡片重試付款。"; - -/* Error message when a payment times out while waiting for a card to be tapped/inserted/swiped. */ -"hardware.cardReader.underlyingError.paymentMethodCollectionTimedOut" = "並未在時限內出示卡片。"; - -/* Error message when the reader connection configuration is invalid. */ -"hardware.cardReader.underlyingError.readerConnectionConfigurationInvalid" = "讀卡機連結設定無效。"; - -/* Error message when the reader is missing encryption keys. */ -"hardware.cardReader.underlyingError.readerMissingEncryptionKeys" = "此讀卡機遺失收取款項所需的加密金鑰,且已中斷連結並重新啟動。 重新連結至讀卡機,即可嘗試重新安裝金鑰。 如果持續發生錯誤,請聯絡支援團隊。"; - -/* Error message when the reader software update fails due to an expired update. */ -"hardware.cardReader.underlyingError.readerSoftwareUpdateFailedExpiredUpdate" = "無法更新讀卡機軟體,因為此更新已過期。 請中斷連結,再重新連結至讀卡機,即可擷取新的更新。"; - -/* Error message when the reader tipping parameter is invalid. */ -"hardware.cardReader.underlyingError.readerTippingParameterInvalid" = "請聯絡支援團隊:讀卡機的小費參數無效。"; - -/* Error message when the refund operation failed. */ -"hardware.cardReader.underlyingError.refundFailed" = "退款失敗。 顧客的銀行或發卡機構無法正確處理退款 (如銀行帳戶已關閉,或卡片發生問題)。"; - -/* Error message when there is an error decoding the Stripe API response. */ -"hardware.cardReader.underlyingError.stripeAPIResponseDecodingError" = "請聯絡支援團隊:在解碼 Stripe API 回應時發生錯誤。"; - -/* Error message when the Apple built-in reader account is deactivated. */ -"hardware.cardReader.underlyingError.tapToPayReaderAccountDeactivated" = "連結的 Apple ID 帳號已停用。"; - -/* Error message when an unexpected error occurs with the reader. */ -"hardware.cardReader.underlyingError.unexpectedReaderError" = "讀卡機發生意外錯誤。"; - -/* Error message when the reader's IP address is unknown. */ -"hardware.cardReader.underlyingError.unknownReaderIpAddress" = "探索程序所回傳的讀卡機沒有 IP 位址,故無法連結。"; - /* Title of the view containing Coupons list */ "hubMenu.couponsList" = "折價券"; @@ -11349,6 +10849,12 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "外掛程式"; +/* Error message shown when scan is too short. */ +"pointOfSale.barcodeScan.error.barcodeTooShort" = "條碼太短"; + +/* Error message shown when scan is incomplete. */ +"pointOfSale.barcodeScan.error.incompleteScan" = "部分條碼掃描"; + /* Error message shown when there is an unknown networking error while scanning a barcode. */ "pointOfSale.barcodeScan.error.network" = "網路要求失敗"; @@ -11361,6 +10867,12 @@ which should be translated separately and considered part of this sentence. */ /* Error message shown when a scanned item is not found in the store. */ "pointOfSale.barcodeScan.error.notFound" = "不明的掃描商品"; +/* Error message shown when parsing barcode data fails. */ +"pointOfSale.barcodeScan.error.parsingError" = "無法讀取條碼"; + +/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ +"pointOfSale.barcodeScan.error.scanFailed" = "掃描失敗"; + /* Error message shown when a scanned item is of an unsupported type. */ "pointOfSale.barcodeScan.error.unsupportedProductType" = "不支援的商品類別"; @@ -11706,6 +11218,9 @@ which should be translated separately and considered part of this sentence. */ /* A message shown on the coupon if's not valid after attempting to apply it */ "pointOfSale.couponRow.invalidCoupon" = "未套用優惠券"; +/* The title of the menu button to view barcode scanner documentation, shown in a popover menu. */ +"pointOfSale.floatingButtons.barcodeScanning.button.title" = "掃描條碼"; + /* The title of the floating button to indicate that the reader is not ready for another connection, usually because a connection has just been cancelled */ "pointOfSale.floatingButtons.cancellingConnection.pleaseWait.title" = "請稍候"; @@ -11787,6 +11302,45 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form from the POS dashboard. */ "pointOfSaleDashboard.support.done" = "完成"; +/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ +"pos.barcodeInfoModal.heading" = "掃描條碼"; + +/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ +"pos.barcodeInfoModal.introMessage" = "你可以使用外部掃描器掃描條碼,以快速建立購物車。"; + +/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ +"pos.barcodeInfoModal.moreDetailsLink" = "更多詳細資料。"; + +/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ +"pos.barcodeInfoModal.moreDetailsLink.accessible" = "更多詳細資料,連結。"; + +/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ +"pos.barcodeInfoModal.primaryMessage" = "• 請依序點選「商品」>「商品詳細資料」>「庫存」,然後在「GTIN、UPC、EAN、ISBN」欄位設定條碼。 "; + +/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.primaryMessage.accessible" = "1:請依序導覽至「商品」、「商品詳細資料」、「庫存」,然後在「GTIN、UPC、EAN、ISBN」欄位設定條碼。"; + +/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ +"pos.barcodeInfoModal.quaternaryMessage" = "• 在項目清單上掃描條碼,將商品加入購物車。"; + +/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.quaternaryMessage.accessible" = "4:在項目清單上掃描條碼,將商品加入購物車。"; + +/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ +"pos.barcodeInfoModal.quinaryMessage" = "掃描器會模擬鍵盤,因此有時會在搜尋等欄位阻擋螢幕鍵盤顯示。 點選鍵盤圖示以再次顯示。"; + +/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ +"pos.barcodeInfoModal.secondaryMessage" = "• 請參閱藍牙條碼掃描器指示,設定 HID 模式。"; + +/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.secondaryMessage.accessible" = "2:請參閱藍牙條碼掃描器指示,設定 HID 模式。"; + +/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ +"pos.barcodeInfoModal.tertiaryMessage" = "• 請在 iOS 藍牙設定中,連線條碼掃描器。"; + +/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ +"pos.barcodeInfoModal.tertiaryMessage.accessible" = "3:請在 iOS 藍牙設定中,連線條碼掃描器。"; + /* Hint to add products to the Cart when this is empty. */ "pos.cartView.addItemsToCartHint" = "點選商品即可\n 新增至購物車"; @@ -11886,9 +11440,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for the list of popular products shown before a search term is typed in POS */ "pos.itemsearch.before.search.popularProducts.title" = "熱門商品"; -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.emptyListText.1" = "搜尋商店"; - /* Title for the list of recent searches shown before a search term is typed in POS */ "pos.itemsearch.before.search.recentSearches.title" = "最近搜尋的內容"; @@ -11907,6 +11458,9 @@ which should be translated separately and considered part of this sentence. */ /* Text appearing on the coupon list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "找不到優惠券"; +/* Text for the button appearing on the products list screen when there are no products found. */ +"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "重新整理"; + /* Text hinting the merchant to create a product. */ "pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "若要新增,請結束 POS 並前往「商品」。"; @@ -11937,6 +11491,9 @@ which should be translated separately and considered part of this sentence. */ /* Text for the button appearing on the coupons list screen when there's no coupons found. */ "pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "建立優惠券"; +/* Title for the OK button on the pos information modal */ +"pos.posInformationModal.ok.button.title" = "確定"; + /* Accessibility label for the clear button in the Point of Sale search screen. */ "pos.searchview.searchField.clearButton.accessibilityLabel" = "清除搜尋內容"; @@ -11964,6 +11521,9 @@ which should be translated separately and considered part of this sentence. */ /* Label to be displayed in the product's card when out of stock */ "pos.stockStatusLabel.outofstock" = "沒有庫存"; +/* Title for the Point of Sale tab. */ +"pos.tab.title" = "POS"; + /* Button title for new order button */ "pos.totalsView.button.newOrder" = "新訂單"; @@ -12671,9 +12231,6 @@ which should be translated separately and considered part of this sentence. */ /* Button to dismiss the support form. */ "subscriptionsView.dismissSupport" = "完成"; -/* Accessibility label for the Help & Support image navigation bar button in the store creation flow. */ -"supportButton.accessibilityLabel" = "說明與支援"; - /* Button to dismiss the alert when a support request. */ "supportForm.gotIt" = "收到"; @@ -13043,9 +12600,6 @@ which should be translated separately and considered part of this sentence. */ /* Title on the watch orders list screen. */ "watch.orders.title" = "訂單"; -/* Title of the WPCOM checkout web view. */ -"webCheckoutViewModel.title" = "結帳"; - /* Verb. Dismiss the web view screen. */ "webKit.button.dismiss" = "關閉"; @@ -13454,8 +13008,14 @@ which should be translated separately and considered part of this sentence. */ /* Label for a shipment during shipping label creation. The placeholder is the index of the shipment. Reads like: 'Shipment 1' */ "wooShipping.createLabels.shipmentFormat" = "貨件 %1$d"; +/* Label when shipping rate has option for additional handling in Woo Shipping label creation flow. Reads like: 'Additional Handling (+$9.35)' */ +"wooShipping.createLabels.shippingService.additionalHandling" = "額外處理 (%1$@)"; + /* Label when shipping rate has option to require an adult signature in Woo Shipping label creation flow. Reads like: 'Adult signature required (+$9.35)' */ -"wooShipping.createLabels.shippingService.adultSignatureRequired" = "需成年人簽名 (+%1$@)"; +"wooShipping.createLabels.shippingService.adultSignatureRequiredLabel" = "需成年人簽名 (%1$@)"; + +/* Label when shipping rate has option for carbon neutral delivery in Woo Shipping label creation flow. Reads like: 'Carbon Neutral (+$9.35)' */ +"wooShipping.createLabels.shippingService.carbonNeural" = "碳中和 (%1$@)"; /* Singular format of number of business days in Woo Shipping label creation flow. Reads like: '1 business day' */ "wooShipping.createLabels.shippingService.deliveryDaySingular" = "%1$d 個工作天"; @@ -13475,8 +13035,11 @@ which should be translated separately and considered part of this sentence. */ /* Label when shipping rate includes insurance in Woo Shipping label creation flow. Placeholder is a literal. Reads like: 'Insurance (limited)' */ "wooShipping.createLabels.shippingService.insuranceLiteral" = "保險 (%1$@)"; +/* Label when shipping rate has option for Saturday delivery in Woo Shipping label creation flow. Reads like: 'Saturday Delivery (+$9.35)' */ +"wooShipping.createLabels.shippingService.saturdayDelivery" = "星期六運送 (%1$@)"; + /* Label when shipping rate has option to require a signature in Woo Shipping label creation flow. Reads like: 'Signature required (+$3.70)' */ -"wooShipping.createLabels.shippingService.signatureRequired" = "需簽名 (+%1$@)"; +"wooShipping.createLabels.shippingService.signatureRequiredLabel" = "需簽名 (%1$@)"; /* Label when shipping rate includes tracking in Woo Shipping label creation flow. */ "wooShipping.createLabels.shippingService.tracking" = "追蹤"; diff --git a/WooCommerce/WooCommerceTests/POS/Presentation/Barcode Scanning/HIDBarcodeParserTests.swift b/WooCommerce/WooCommerceTests/POS/Presentation/Barcode Scanning/HIDBarcodeParserTests.swift index 6c29484dfdf..10d28f0305b 100644 --- a/WooCommerce/WooCommerceTests/POS/Presentation/Barcode Scanning/HIDBarcodeParserTests.swift +++ b/WooCommerce/WooCommerceTests/POS/Presentation/Barcode Scanning/HIDBarcodeParserTests.swift @@ -334,6 +334,65 @@ struct HIDBarcodeParserTests { Issue.record("Expected failure result") } } + + @Test("Parser does not show an error row for empty scan") + func testEmptyScanDoesntError() { + var results: [Result] = [] + let parser = HIDBarcodeParser( + configuration: testConfiguration, + onScan: { result in + results.append(result) + } + ) + + // Just send the terminator, no scan input + parser.processKeyPress(MockUIKey(character: "\r")) + + #expect(results.isEmpty) + } + + @Test("Parser does not start a timeout for an ignored character") + func testEmptyScanDoesntStartTimeoutForIgnoredCharacter() { + var results: [Result] = [] + let mockTimeProvider = MockTimeProvider() + let parser = HIDBarcodeParser( + configuration: testConfiguration, + onScan: { result in + results.append(result) + }, + timeProvider: mockTimeProvider + ) + + // Scan a barcode with two terminators, then scan another barcode – only the two codes should be parsed + parser.processKeyPress(MockUIKey(character: "1")) + parser.processKeyPress(MockUIKey(character: "2")) + parser.processKeyPress(MockUIKey(character: "3")) + parser.processKeyPress(MockUIKey(character: "\r")) // Scan is recognised here + parser.processKeyPress(MockUIKey(character: "\n", keyCode: .keyboardDownArrow)) // This is ignored + + // Time between scans + mockTimeProvider.advance(by: 1.5) + + // Scan the second barcode + parser.processKeyPress(MockUIKey(character: "4")) // Risk of an error row here if `\n` isn't ignored + parser.processKeyPress(MockUIKey(character: "5")) + parser.processKeyPress(MockUIKey(character: "6")) + parser.processKeyPress(MockUIKey(character: "\r")) + parser.processKeyPress(MockUIKey(character: "\n", keyCode: .keyboardDownArrow)) + + + #expect(results.count == 2) + if case .success(let barcode1) = results[0] { + #expect(barcode1 == "123") + } else { + Issue.record("Expected success result for first scan") + } + if case .success(let barcode2) = results[1] { + #expect(barcode2 == "456") + } else { + Issue.record("Expected success result for second scan") + } + } } // MARK: - Test Helpers diff --git a/config/Version.Public.xcconfig b/config/Version.Public.xcconfig index 63e201f544d..905f8398042 100644 --- a/config/Version.Public.xcconfig +++ b/config/Version.Public.xcconfig @@ -1,4 +1,4 @@ CURRENT_PROJECT_VERSION = $VERSION_LONG MARKETING_VERSION = $VERSION_SHORT -VERSION_LONG = 22.7.0.0 +VERSION_LONG = 22.7.0.1 VERSION_SHORT = 22.7 diff --git a/fastlane/metadata/ar-SA/release_notes.txt b/fastlane/metadata/ar-SA/release_notes.txt index 5c1529a4cd7..f854f0dd84b 100644 --- a/fastlane/metadata/ar-SA/release_notes.txt +++ b/fastlane/metadata/ar-SA/release_notes.txt @@ -1 +1 @@ -حصل الشحن للتو على ترقية ضخمة! سيسهل تدفقنا المُحدث إعداد ملصقات شحن المتاجر وإدارتها باستخدام نظام WooCommerce للشحن أكثر من أي وقت مضى. كما حسنّا بعض الأيقونات وحللنا مشكلة العرض في آخر تحديث لوقت قائمة الطلبات. يحتوي هذا الإصدار على بعض التحسينات في الأداء خلف الكواليس. +قُل مرحبًا للشحن والمبيعات الأكثر سلاسة! 🎉 لقد حسّنا ملصقات الشحن باستخدام إضافات UPS والنماذج الأكثر ذكاءً، والسعر الثابت وعيوب العرض، وجعلنا إدارة الشحن أسهل. بالإضافة إلى ذلك، أصبح لدى نقطة البيع الآن علامة تبويب خاصة بها للمتاجر المؤهلة، ومسح الرمز الشريطي، وتحديث المنتج بشكل أكثر سلاسة لتسريع عملية الدفع. diff --git a/fastlane/metadata/de-DE/release_notes.txt b/fastlane/metadata/de-DE/release_notes.txt index c2f75a500da..8145d18c709 100644 --- a/fastlane/metadata/de-DE/release_notes.txt +++ b/fastlane/metadata/de-DE/release_notes.txt @@ -1 +1 @@ -Deine Versanderfahrung mit Shipping ist jetzt noch besser! Durch unseren überarbeiteten Workflow ist es so einfach wie noch nie, Versandetiketten für Shops, die WooCommerce Shipping nutzen, zu erstellen und zu verwalten. Wir haben auch einige Icons verbessert und ein Anzeigeproblem behoben, das die Zeit für "zuletzt aktualisiert" für die Bestellliste betraf. In dieser Version haben wir auch einige Performance-Verbesserungen hinter den Kulissen vorgenommen. +Freue dich auf einen reibungsloseren Versand und Verkauf! 🎉 Wir haben Versandetiketten mit UPS-Extras und intelligenteren Formularen optimiert, Festpreis- und Anzeigefehler behoben und die Versandverwaltung vereinfacht. Außerdem verfügt der Verkaufsort (POS) jetzt über einen eigenen Tab für berechtigte Shops, Barcode-Scans und eine nahtlosere Produktaktualisierung für schnelleres Bezahlen. diff --git a/fastlane/metadata/default/release_notes.txt b/fastlane/metadata/default/release_notes.txt index 40171ff088b..ddf0c84c238 100644 --- a/fastlane/metadata/default/release_notes.txt +++ b/fastlane/metadata/default/release_notes.txt @@ -1 +1 @@ -Shipping just got a major upgrade! Our revamped flow makes it easier than ever to create and manage shipping labels for stores using WooCommerce Shipping. We've also improved some icons and fixed a display issue with the order list's last updated time. This release includes some behind-the-scenes performance improvements too. +Say hello to smoother shipping and sales! 🎉 We’ve enhanced Shipping Labels with UPS extras and smarter forms, fixed price and display glitches, and made shipment management easier. Plus, Point of Sale now has its own tab for eligible stores, barcode scanning, and smoother product refresh for faster checkout. \ No newline at end of file diff --git a/fastlane/metadata/es-ES/release_notes.txt b/fastlane/metadata/es-ES/release_notes.txt deleted file mode 100644 index 651c15c0684..00000000000 --- a/fastlane/metadata/es-ES/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -Los envíos acaban de recibir una mejora importante. Nuestro flujo renovado hace que sea más fácil que nunca crear y gestionar etiquetas de envío para las tiendas que utilizan WooCommerce Shipping. Además, hemos mejorado algunos iconos y corregido un problema de visualización de la hora de última actualización de la lista de pedidos. Esta versión también incluye algunas mejoras de rendimiento que hemos desarrollado en segundo plano. diff --git a/fastlane/metadata/fr-FR/release_notes.txt b/fastlane/metadata/fr-FR/release_notes.txt deleted file mode 100644 index 1f2db0bf9ea..00000000000 --- a/fastlane/metadata/fr-FR/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -L’expédition vient de faire l’objet d’une mise à niveau majeure ! Notre flux remanié facilite plus que jamais la création et la gestion des étiquettes d’expédition pour les boutiques qui utilisent WooCommerce Shipping. Nous avons également amélioré certaines icônes et résolu un problème d’affichage lié à la dernière mise à jour de la liste de commandes. Cette version comporte également quelques améliorations des performances en arrière-plan. diff --git a/fastlane/metadata/he/release_notes.txt b/fastlane/metadata/he/release_notes.txt deleted file mode 100644 index d5a30b880e5..00000000000 --- a/fastlane/metadata/he/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -המשלוחים השתדרגו באופן משמעותי! תהליך העבודה החדש יעזור לך ליצור ולנהל תוויות משלוח לחנויות באמצעות WooCommerce Shipping בקלות רבה יותר. שיפרנו גם כמה סמלים ותיקנו בעיית תצוגה שהופיעה בזמני העדכון האחרון ברשימת ההזמנות. גרסה זו כוללת גם מספר שיפורים של ביצועים מאחורי הקלעים. diff --git a/fastlane/metadata/id/release_notes.txt b/fastlane/metadata/id/release_notes.txt index b07ebc7b5e5..69007b33beb 100644 --- a/fastlane/metadata/id/release_notes.txt +++ b/fastlane/metadata/id/release_notes.txt @@ -1 +1 @@ -Pengiriman baru saja diupgrade besar-besaran! Alur yang baru memudahkan pembuatan dan pengelolaan label pengiriman toko menggunakan WooCommerce Shipping. Kami juga telah memperbaiki beberapa ikon dan masalah tampilan pada waktu pembaruan terakhir daftar pesanan. Rilis ini juga menyediakan beberapa peningkatan performa di balik layar. +Nikmati pengiriman dan penjualan yang lebih mulus! 🎉 Kami telah meningkatkan Label Pengiriman dengan fitur UPS tambahan dan formulir yang lebih cerdas, memperbaiki masalah harga dan tampilan, serta mempermudah pengelolaan pengiriman. Selain itu, Point of Sale kini memiliki tab sendiri untuk toko yang memenuhi syarat, mendukung pemindaian barcode, dan pembaruan produk yang lebih lancar agar proses checkout lebih cepat. diff --git a/fastlane/metadata/it/release_notes.txt b/fastlane/metadata/it/release_notes.txt deleted file mode 100644 index 676a0d57110..00000000000 --- a/fastlane/metadata/it/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -La spedizione ha appena ottenuto un aggiornamento importante. Il nostro nuovo flusso facilita più che mai la creazione e la gestione delle etichette di spedizione per i negozi attraverso l'utilizzo di WooCommerce Shipping. Abbiamo anche perfezionato alcune icone e risolto un problema di visualizzazione riguardante l'ora dell'ultimo aggiornamento dell'elenco degli ordini. Questa versione include anche alcuni miglioramenti dietro le quinte delle prestazioni. diff --git a/fastlane/metadata/ja/release_notes.txt b/fastlane/metadata/ja/release_notes.txt index 93b6bd8c845..362836799a7 100644 --- a/fastlane/metadata/ja/release_notes.txt +++ b/fastlane/metadata/ja/release_notes.txt @@ -1 +1 @@ -配送機能が大規模にアップグレードしました ! WooCommerce Shipping を使用したストアの配送ラベルの作成および管理のフローが、より簡単になりました。 また一部のアイコンを改良したほか、注文リストの最終更新時刻に関する表示の問題を修正しました。 今回のリリースでは、バックグランドのパフォーマンスも一部改良されました。 +配送と販売を一層スムーズにご利用いただけるようになりました 🎉 UPS の追加機能とスマートなフォームで配送ラベルが使いやすくなりました。また、価格とディスプレイの不具合を修正し、配送管理も簡単になりました。 さらに、販売時点管理には対象ストア向けの専用タブとバーコードスキャンが追加されました。これにより商品をスムーズに更新できるため、購入手続きが迅速になります。 diff --git a/fastlane/metadata/ko/release_notes.txt b/fastlane/metadata/ko/release_notes.txt index d6e5def1c28..31ef632b355 100644 --- a/fastlane/metadata/ko/release_notes.txt +++ b/fastlane/metadata/ko/release_notes.txt @@ -1 +1 @@ -배송을 대대적으로 업그레이드했습니다. 우커머스 배송을 사용하는 스토어의 배송 레이블 생성 및 관리가 더할 나위 없이 쉬워지도록 흐름을 재정비했습니다. 또한 몇 가지 아이콘을 개선하고, 주문 목록을 마지막으로 업데이트한 시각의 표시 문제도 해결했습니다. 이 릴리스에는 겉으로 드러나지 않는 몇 가지 성능 개선 사항도 포함되어 있습니다. +배송과 판매가 더 원활해집니다! 🎉 UPS 추가 사항과 더 깔끔한 양식으로 배송 레이블이 개선되었고, 가격과 표시 문제가 해결되었으며, 배송 관리가 더 쉬워졌습니다. 아울러 판매 시점 관리(POS)에 적격 스토어 전용 탭, 바코드 스캔 기능, 더 빠른 계산을 위한 더 원활한 상품 새로 고침 기능이 추가되었습니다. diff --git a/fastlane/metadata/nl-NL/release_notes.txt b/fastlane/metadata/nl-NL/release_notes.txt deleted file mode 100644 index 385e4f2f489..00000000000 --- a/fastlane/metadata/nl-NL/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -De verzending heeft zojuist een grote upgrade gekregen! Ons vernieuwde proces maakt het eenvoudiger dan ooit om verzendlabels voor winkels te maken en te beheren met WooCommerce Shipping. We hebben ook enkele pictogrammen verbeterd en een weergaveprobleem opgelost m.b.t. de laatst bijgewerkte tijd van de bestellijst. Deze release bevat ook wat prestatieverbeteringen voor achter de schermen. diff --git a/fastlane/metadata/pt-BR/release_notes.txt b/fastlane/metadata/pt-BR/release_notes.txt index b8bc96adc36..07f0566f45b 100644 --- a/fastlane/metadata/pt-BR/release_notes.txt +++ b/fastlane/metadata/pt-BR/release_notes.txt @@ -1 +1 @@ -O Shipping acaba de receber um upgrade importante. Com nosso fluxo renovado, ficou mais fácil do que nunca criar e gerenciar etiquetas de envio para lojas que usam o WooCommerce Shipping. Melhoramos alguns ícones e corrigimos um problema de exibição da hora da última atualização da lista de pedidos. Esta versão inclui algumas melhorias no desempenho também. +Conheça um jeito mais fácil de fazer envios e vendas! 🎉 Aprimoramos as etiquetas de envio com formulários mais inteligentes e adicionais da UPS, corrigimos erros de exibição e preços e facilitamos o gerenciamento do envio. Além disso, o ponto de venda agora tem uma guia própria para lojas qualificadas, leitura de código de barras e atualização de produtos mais tranquila para agilizar a finalização da compra. diff --git a/fastlane/metadata/ru/release_notes.txt b/fastlane/metadata/ru/release_notes.txt index 83dc88d281b..839e627d717 100644 --- a/fastlane/metadata/ru/release_notes.txt +++ b/fastlane/metadata/ru/release_notes.txt @@ -1 +1 @@ -Масштабное обновление доставки! Благодаря обновлённой системе доставки создавать транспортные этикетки для магазинов и управлять ими с помощью WooCommerce Shipping стало гораздо проще. Мы также улучшили некоторые значки и устранили ошибку при отображении времени последнего обновления списка заказов. В этом выпуске также улучшена производительность приложения. +Представляем усовершенствованную доставку и продажи! 🎉 Мы расширили возможности транспортных этикеток, внедрив дополнения UPS и «умные» формы, а также устранили сбои цены и отображения. Кроме того, мы упростили управление доставкой. А ещё в пункте продажи теперь есть собственная вкладка, где имеются функции выбора магазинов, сканирования штрихкодов и плавного обновления товаров, что ускорит оформление заказа. diff --git a/fastlane/metadata/sv/release_notes.txt b/fastlane/metadata/sv/release_notes.txt deleted file mode 100644 index d9105677b21..00000000000 --- a/fastlane/metadata/sv/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -Frakt har precis fått en stor uppgradering! Vårt moderniserade flöde gör det enklare än någonsin att skapa och hantera fraktetiketter för butiker med WooCommerce Shipping. Vi har även förbättrat några ikoner och åtgärdat ett visningsproblem med beställningslistans senast uppdaterade tid. Den här versionen inkluderar även ett antal förbättringar bakom kulisserna. diff --git a/fastlane/metadata/tr/release_notes.txt b/fastlane/metadata/tr/release_notes.txt index f3d95fdb9a9..9316a7423d8 100644 --- a/fastlane/metadata/tr/release_notes.txt +++ b/fastlane/metadata/tr/release_notes.txt @@ -1 +1 @@ -Gönderimlere önemli bir yükseltme yapıldı! Yenilenen akışımız, WooCommerce Shipping kullanarak mağazalar için gönderim etiketleri oluşturmayı ve yönetmeyi her zamankinden daha kolay hale getirir. Ayrıca bazı simgeleri iyileştirdik ve sipariş listesinin son güncellenme zamanıyla ilgili görüntüleme sorununu düzelttik. Bu sürümde, bazı perde arkası performans iyileştirmeleri yapıldı. +Daha sorunsuz gönderim ve satışlara merhaba deyin! 🎉 UPS ekstraları ve daha akıllı formlar, sabit fiyat ve ekran aksaklıkları ile Gönderim Etiketlerini geliştirdik ve gönderim yönetimini kolaylaştırdık. Ayrıca, Satış Noktası'nın artık uygun mağazalar, barkod taraması ve daha hızlı ödeme için ürün yenilemesi için kendi sekmesi var. diff --git a/fastlane/metadata/zh-Hans/release_notes.txt b/fastlane/metadata/zh-Hans/release_notes.txt index d835262914d..10090919784 100644 --- a/fastlane/metadata/zh-Hans/release_notes.txt +++ b/fastlane/metadata/zh-Hans/release_notes.txt @@ -1 +1 @@ -配送功能现已重磅升级! 通过我们全新打造的流程,WooCommerce Shipping 商家的配送标签创建与管理将变得前所未有的轻松。 此外,我们还优化了部分图标样式,并修复了订单列表“最后更新时间”的显示问题。 此版本还包含多项后台性能改进。 +敬请享受更顺畅的配送和销售体验!🎉 我们优化了配送标签功能,新增 UPS 附加服务选项与更智能的表单,修复了价格显示异常问题,并简化了货运管理流程。 此外,销售点现已为符合条件的商店提供独立选项卡,支持条形码扫描,并优化了产品数据刷新速度,让结账更快捷。 diff --git a/fastlane/metadata/zh-Hant/release_notes.txt b/fastlane/metadata/zh-Hant/release_notes.txt index 92876260959..0b816af7bbc 100644 --- a/fastlane/metadata/zh-Hant/release_notes.txt +++ b/fastlane/metadata/zh-Hant/release_notes.txt @@ -1 +1 @@ -運送功能剛獲得全面升級! 流程經過改頭換面,方便你輕輕鬆鬆透過 WooCommerce Shipping 為商店建立和管理貨運標籤。 我們也提升了部分圖示,並修正了訂單清單最後更新時間的顯示問題。 此版本也包含一些幕後效能改善項目。 +準備好迎接更順暢的運送和銷售體驗!🎉我們透過 UPS 額外功能和更聰明的表單,強化了運送標籤、固定價格和顯示問題,並讓運送管理更輕鬆。 此外,「銷售時點情報系統」現在也有自己的分頁,適用於符合條件的商店、條碼掃描,以及更順暢的商品重新整理,讓結帳速度更快。