diff --git a/Modules/Sources/NetworkingCore/Network/AlamofireNetworkErrorHandler.swift b/Modules/Sources/NetworkingCore/Network/AlamofireNetworkErrorHandler.swift index 3cde0cc24b4..5a86be6b522 100644 --- a/Modules/Sources/NetworkingCore/Network/AlamofireNetworkErrorHandler.swift +++ b/Modules/Sources/NetworkingCore/Network/AlamofireNetworkErrorHandler.swift @@ -4,6 +4,8 @@ import Alamofire /// Thread-safe handler for network error tracking and retry logic final class AlamofireNetworkErrorHandler { private let queue = DispatchQueue(label: "com.networkingcore.errorhandler", attributes: .concurrent) + /// Serial queue for UserDefaults operations to prevent race conditions while avoiding deadlocks + private let userDefaultsQueue = DispatchQueue(label: "com.networkingcore.errorhandler.userdefaults") private let userDefaults: UserDefaults private let credentials: Credentials? private let notificationCenter: NotificationCenter @@ -162,7 +164,11 @@ final class AlamofireNetworkErrorHandler { } func flagSiteAsUnsupported(for siteID: Int64, flow: RequestFlow, cause: AppPasswordFlagCause, error: Error) { - queue.sync(flags: .barrier) { + // Use dedicated serial queue for UserDefaults operations to: + // 1. Prevent race conditions where concurrent writes overwrite each other + // 2. Avoid deadlock by not using the main queue that KVO observers may need + userDefaultsQueue.sync { [weak self] in + guard let self else { return } var currentList = userDefaults.applicationPasswordUnsupportedList currentList[String(siteID)] = Date() userDefaults.applicationPasswordUnsupportedList = currentList @@ -233,11 +239,16 @@ private extension AlamofireNetworkErrorHandler { } func clearUnsupportedFlag(for siteID: Int64) { - queue.sync(flags: .barrier) { + // Use dedicated serial queue for UserDefaults operations to: + // 1. Prevent race conditions where concurrent writes overwrite each other + // 2. Avoid deadlock by not using the main queue that KVO observers may need + userDefaultsQueue.sync { [weak self] in + guard let self else { return } let currentList = userDefaults.applicationPasswordUnsupportedList - userDefaults.applicationPasswordUnsupportedList = currentList.filter { flag in + let filteredList = currentList.filter { flag in flag.key != String(siteID) } + userDefaults.applicationPasswordUnsupportedList = filteredList } } diff --git a/Modules/Tests/NetworkingTests/Network/AlamofireNetworkErrorHandlerTests.swift b/Modules/Tests/NetworkingTests/Network/AlamofireNetworkErrorHandlerTests.swift index 1b6b7278cf6..3fdc113337b 100644 --- a/Modules/Tests/NetworkingTests/Network/AlamofireNetworkErrorHandlerTests.swift +++ b/Modules/Tests/NetworkingTests/Network/AlamofireNetworkErrorHandlerTests.swift @@ -606,6 +606,109 @@ final class AlamofireNetworkErrorHandlerTests: XCTestCase { // Then - no crashes should occur (especially no EXC_BREAKPOINT from array index out of bounds) wait(for: [expectation], timeout: 5.0) } + + // MARK: - Deadlock Regression Test + + func test_no_deadlock_when_kvo_observer_triggers_during_flagSiteAsUnsupported() { + // This test reproduces the exact deadlock scenario from the production crash: + // 1. flagSiteAsUnsupported writes to UserDefaults + // 2. UserDefaults triggers KVO notification synchronously + // 3. KVO observer calls prepareAppPasswordSupport + // 4. prepareAppPasswordSupport accesses appPasswordFailures + // + // BEFORE FIX: This would deadlock because: + // - flagSiteAsUnsupported used queue.sync(flags: .barrier) around UserDefaults write + // - KVO fired synchronously during the barrier + // - prepareAppPasswordSupport tried queue.sync while barrier was still active + // + // AFTER FIX: No deadlock because: + // - flagSiteAsUnsupported uses userDefaultsQueue.async for UserDefaults write + // - KVO fires on userDefaultsQueue, not the main queue + // - prepareAppPasswordSupport can safely use queue.sync on the main queue + + // Given - Set up KVO observer to simulate the production scenario + let siteID: Int64 = 12345 + let kvoTriggered = XCTestExpectation(description: "KVO observer triggered") + let preparePasswordSupportCalled = XCTestExpectation(description: "prepareAppPasswordSupport called from KVO") + let operationCompleted = XCTestExpectation(description: "Operation completed without deadlock") + + var kvoObservation: NSKeyValueObservation? + kvoObservation = userDefaults.observe(\.applicationPasswordUnsupportedList, options: [.new]) { [weak self] _, _ in + kvoTriggered.fulfill() + + // Simulate what happens in production: + // AlamofireNetwork.observeSelectedSite gets triggered by KVO + // and calls prepareAppPasswordSupport + self?.errorHandler.prepareAppPasswordSupport(for: siteID) + preparePasswordSupportCalled.fulfill() + } + + // When - Trigger the scenario that caused the deadlock + DispatchQueue.global().async { + // This will write to UserDefaults, triggering KVO + self.errorHandler.flagSiteAsUnsupported( + for: siteID, + flow: .apiRequest, + cause: .majorError, + error: NetworkError.notFound(response: nil) + ) + operationCompleted.fulfill() + } + + // Then - All expectations should complete without timing out (no deadlock) + // The timeout of 2 seconds is generous - if there's a deadlock, this will timeout + let result = XCTWaiter.wait( + for: [kvoTriggered, preparePasswordSupportCalled, operationCompleted], + timeout: 2.0, + enforceOrder: false + ) + + XCTAssertEqual(result, .completed, "Test should complete without deadlock. If this times out, the deadlock bug has returned!") + + // Cleanup + kvoObservation?.invalidate() + } + + func test_no_deadlock_with_concurrent_kvo_observers_and_flag_operations() { + // This test creates even more stress by having multiple KVO observers + // and concurrent flag operations to ensure the fix is robust + + let completionExpectation = XCTestExpectation(description: "All operations complete") + completionExpectation.expectedFulfillmentCount = 10 // 10 flag operations + + var observations: [NSKeyValueObservation] = [] + + // Set up multiple KVO observers (simulating multiple parts of the app observing) + for i in 1...3 { + let observation = userDefaults.observe(\.applicationPasswordUnsupportedList, options: [.new]) { [weak self] _, _ in + let siteID = Int64(1000 + i) + // Each observer tries to access the error handler + self?.errorHandler.prepareAppPasswordSupport(for: siteID) + } + observations.append(observation) + } + + // When - Perform multiple concurrent operations that trigger KVO + for i in 0..<10 { + DispatchQueue.global().async { + let siteID = Int64(i) + self.errorHandler.flagSiteAsUnsupported( + for: siteID, + flow: .apiRequest, + cause: .majorError, + error: NetworkError.notFound(response: nil) + ) + completionExpectation.fulfill() + } + } + + // Then - Should complete without deadlock + let result = XCTWaiter.wait(for: [completionExpectation], timeout: 3.0) + XCTAssertEqual(result, .completed, "Concurrent operations with multiple KVO observers should not deadlock") + + // Cleanup + observations.forEach { $0.invalidate() } + } } // MARK: - Helper Methods diff --git a/WooCommerce/Classes/Authentication/SiteCredentialLoginUseCase.swift b/WooCommerce/Classes/Authentication/SiteCredentialLoginUseCase.swift index 045b542e3e7..8d48a94034f 100644 --- a/WooCommerce/Classes/Authentication/SiteCredentialLoginUseCase.swift +++ b/WooCommerce/Classes/Authentication/SiteCredentialLoginUseCase.swift @@ -100,15 +100,16 @@ enum SiteCredentialLoginError: LocalizedError { /// This use case handles site credential login without the need to use XMLRPC API. /// Steps for login: /// - Make a request to the site wp-login.php with a redirect to the nonce retrieval URL. -/// - Upon redirect, cancel the request and verify if the redirect URL is the nonce retrieval URL. -/// - If it is, make a request to retrieve nonce at that URL, the login succeeds if this is successful. +/// - If the redirect succeeds with a nonce in the response, login is successful. +/// - If the request does not redirect or the redirect fails, login fails. +/// Ref: pe5sF9-1iQ-p2 /// final class SiteCredentialLoginUseCase: NSObject, SiteCredentialLoginProtocol { private let siteURL: String private let cookieJar: HTTPCookieStorage private var successHandler: (() -> Void)? private var errorHandler: ((SiteCredentialLoginError) -> Void)? - private lazy var session = URLSession(configuration: .default, delegate: self, delegateQueue: nil) + private lazy var session = URLSession(configuration: .default) init(siteURL: String, cookieJar: HTTPCookieStorage = HTTPCookieStorage.shared) { @@ -134,10 +135,9 @@ final class SiteCredentialLoginUseCase: NSObject, SiteCredentialLoginProtocol { Task { @MainActor in do { try await startLogin(with: loginRequest) + successHandler?() } catch let error as SiteCredentialLoginError { errorHandler?(error) - } catch let nsError as NSError where nsError.domain == NSURLErrorDomain && nsError.code == -999 { - /// login request is cancelled upon redirect, ignore this error } catch { errorHandler?(.genericFailure(underlyingError: error as NSError)) } @@ -160,10 +160,26 @@ private extension SiteCredentialLoginUseCase { throw SiteCredentialLoginError.invalidLoginResponse } - switch response.statusCode { - case 404: + /// The login request comes with a redirect header to nonce retrieval URL. + /// If we get a response from this URL, that means the redirect is successful. + /// We need to check the result of this redirect first to determine if login is successful. + let isNonceUrl = response.url?.absoluteString.hasSuffix(Constants.wporgNoncePath) == true + + switch (isNonceUrl, response.statusCode) { + case (true, 200): + if let nonceString = String(data: data, encoding: .utf8), + nonceString.isValidNonce() { + // success! + return + } else { + throw SiteCredentialLoginError.invalidLoginResponse + } + case (true, 404): + throw SiteCredentialLoginError.inaccessibleAdminPage + case (false, 404): throw SiteCredentialLoginError.inaccessibleLoginPage - case 200: + case (false, 200): + // 200 for the login URL, which means a failure guard let html = String(data: data, encoding: .utf8) else { throw SiteCredentialLoginError.invalidLoginResponse } @@ -180,39 +196,6 @@ private extension SiteCredentialLoginUseCase { } } - @MainActor - func checkRedirect(url: URL?) async { - guard let url, url.absoluteString.hasSuffix(Constants.wporgNoncePath), - let nonceRetrievalURL = URL(string: siteURL + Constants.adminPath + Constants.wporgNoncePath) else { - errorHandler?(.invalidLoginResponse) - return - } - do { - let nonceRequest = try URLRequest(url: nonceRetrievalURL, method: .get) - try await checkAdminPageAccess(with: nonceRequest) - successHandler?() - } catch let error as SiteCredentialLoginError { - errorHandler?(error) - } catch { - errorHandler?(.genericFailure(underlyingError: error as NSError)) - } - } - - func checkAdminPageAccess(with nonceRequest: URLRequest) async throws { - let (_, response) = try await session.data(for: nonceRequest) - guard let response = response as? HTTPURLResponse else { - throw SiteCredentialLoginError.invalidLoginResponse - } - switch response.statusCode { - case 200: - return // success 🎉 - case 404: - throw SiteCredentialLoginError.inaccessibleAdminPage - default: - throw SiteCredentialLoginError.unacceptableStatusCode(code: response.statusCode) - } - } - func buildLoginRequest(username: String, password: String) -> URLRequest? { guard let loginURL = URL(string: siteURL + Constants.loginPath) else { return nil @@ -239,18 +222,6 @@ private extension SiteCredentialLoginUseCase { } } -extension SiteCredentialLoginUseCase: URLSessionDataDelegate { - func urlSession(_ session: URLSession, - task: URLSessionTask, - willPerformHTTPRedirection response: HTTPURLResponse, - newRequest request: URLRequest) async -> URLRequest? { - // Disables redirect and check if the redirect is correct - task.cancel() - await checkRedirect(url: request.url) - return nil - } -} - extension SiteCredentialLoginUseCase { enum Constants { static let loginPath = "/wp-login.php" @@ -310,4 +281,15 @@ private extension String { func hasInvalidCredentialsPattern() -> Bool { contains("document.querySelector('form').classList.add('shake')") } + + /// Validates if the string matches the expected nonce format. + /// A valid nonce should contain at least 2 alphanumeric characters. + /// + func isValidNonce() -> Bool { + guard let regex = try? Regex("^[0-9a-zA-Z]{2,}$") else { + DDLogError("⚠️ Invalid regex pattern") + return false + } + return wholeMatch(of: regex) != nil + } } diff --git a/WooCommerce/Classes/System/SessionManager.swift b/WooCommerce/Classes/System/SessionManager.swift index a16f173c771..22f19f4a3b1 100644 --- a/WooCommerce/Classes/System/SessionManager.swift +++ b/WooCommerce/Classes/System/SessionManager.swift @@ -54,6 +54,10 @@ final class SessionManager: SessionManagerProtocol { /// private let imageCache: ImageCache + /// Serial queue for thread-safe credentials access + /// + private let credentialsQueue = DispatchQueue(label: "com.woocommerce.session.credentials", qos: .userInitiated) + /// Makes sure the credentials are in sync with the watch session. /// private lazy var watchDependenciesSynchronizer = { @@ -76,20 +80,31 @@ final class SessionManager: SessionManagerProtocol { /// var defaultCredentials: Credentials? { get { - return loadCredentials() + credentialsQueue.sync { + loadCredentials() + } } set { - guard newValue != defaultCredentials else { - return - } + let shouldUpdateWatchSync = credentialsQueue.sync { () -> Bool in + let currentCredentials = loadCredentials() + guard newValue != currentCredentials else { + return false + } - removeCredentials() + removeCredentials() - if let credentials = newValue { - saveCredentials(credentials) + if let credentials = newValue { + saveCredentials(credentials) + } + + return true } - watchDependenciesSynchronizer.credentials = newValue + // Update watch synchronizer outside the sync block to avoid potential deadlocks + // from @Published property triggering Combine subscribers that might read credentials + if shouldUpdateWatchSync { + watchDependenciesSynchronizer.credentials = newValue + } } } @@ -235,7 +250,7 @@ final class SessionManager: SessionManagerProtocol { /// Deletes application password /// func deleteApplicationPassword(using creds: Credentials?, locally: Bool) { - let useCase: ApplicationPasswordUseCase? = { + let useCase: ApplicationPasswordUseCase? = credentialsQueue.sync { let credentials = creds ?? loadCredentials() switch credentials { case let .wporg(username, password, siteAddress): @@ -253,7 +268,7 @@ final class SessionManager: SessionManagerProtocol { case .none: return nil } - }() + } guard let useCase else { return } diff --git a/WooCommerce/Resources/ar.lproj/Localizable.strings b/WooCommerce/Resources/ar.lproj/Localizable.strings index d85e2221276..4543eb39315 100644 --- a/WooCommerce/Resources/ar.lproj/Localizable.strings +++ b/WooCommerce/Resources/ar.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 04:15:32+0000 */ +/* Translation-Revision-Date: 2025-10-20 19: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 */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "ملاحظات الحجز"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "لا، الاحتفاظ بالحجز"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "نعم، إلغاء الحجز"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "لن يتمكن %1$@ من حضور \"%2$@\" في %3$@ بعد الآن."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "إلغاء الحجز"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "عنوان الفوترة"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "إلغاء الحجز"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "تم نسخ عنوان البريد الإلكتروني"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "العميل"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "الدفع"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "نشر مبلغ الاسترداد"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "وضع علامة كـ \"مدفوع\""; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "وضع علامة كـ \"مسترد\""; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "الخدمة"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "عرض الطلب"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "اتصال"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "تم نسخ رقم الهاتف"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "نسخ"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "يتعذر إجراء مكالمة على هذا الرقم."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "محجوز"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "اسم العائلة"; -/* 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" = "بدء متجرك"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "الإضافات"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "الوثائق"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "الحصول على الدعم"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "تعرف على المنتجات المدعومة في نقطة البيع (POS)"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "أين منتجاتي؟"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "إلغاء"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "المساعدة"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "الأكثر شعبية"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "لا تدعم طريقة الدفع عمليات استرداد الأموال التلقائية. أكمل عملية استرداد الأموال عن طريق تحويل الأموال إلى العميل يدويًا."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "تم إلغاء الدفع."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "تمت مقاطعة الدفع ويتعذر الاستمرار. يمكنك إعادة محاولة الدفع من شاشة الطلب."; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "تتعذر معالجة الدفع. إجمالي مبلغ الطلب غير صالح."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "تتعذر معالجة الدفع. تم دفع هذا الطلب بالفعل، وسيؤدي الحصول على دفعة أخرى إلى فرض رسوم مضاعفة على العميل مقابل طلبه."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "تتعذر معالجة الدفع. يتعذر علينا الاتصال بنظام الدفع. يرجى الاتصال بالدعم إذا استمر هذا الخطأ."; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "يتعذر قراءة موقع WordPress على معرف URL ذلك. انقر على \"هل تحتاج إلى مساعدة إضافية\" لعرض الأسئلة المتداولة."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "المحاولة مجددًا"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "لم نتمكن من العثور على أي حجوزات بهذا الاسم — حاول تعديل مصطلح البحث للحصول على المزيد من النتائج."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "حدث خطأ في أثناء إحضار الحجوزات"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "التاريخ: الأحدث إلى الأقدم"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "التاريخ: الأقدم إلى الأحدث"; + /* Tab title for all bookings */ "bookingListView.all" = "الكل"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "لا توجد حجوزات تطابق عوامل التصفية الخاصة بك. حاول تعديلها لرؤية المزيد من النتائج."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "لم يتم العثور على أي حجوزات"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "ليس لديك أي مواعيد أو أحداث مجدولة اليوم."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "لا توجد حجوزات اليوم"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "ليس لديك أي مواعيد أو أحداث مستقبلية مجدولة حتى الآن."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "لا توجد حجوزات مقبلة"; + /* Button to filter the booking list */ "bookingListView.filter" = "تصفية"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "البحث في الحجوزات"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "فرز حسب"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "غير مدفوع"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "ضيف"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "الحجوزات"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "اشتراك متغير"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "قيد التقدم"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "إلغاء"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "شهد إجمالي الطلبات تغييرًا منذ بداية الدفع. يرجى الرجوع والتحقق من أن الطلب صحيح، ثم محاولة الدفع مجددًا."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "التغيير المستحق: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "يُحدِّد المنتج لحملة Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "حل مشكلات الاتصال"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "انتهت الصلاحية في %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "العنوان"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "تعزيز مبيعاتك"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "شاركنا تجربتك في استطلاع رأي سريع مدته دقيقتان وساعدنا على التحسن."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "كيف أداء نظام نقاط البيع لديك؟"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "شارك في استطلاع رأي سريع مدته دقيقتان لمساعدتنا على تشكيل الميزات التي ستعجبك."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "هل تفكر في البيع مباشرةً للعملاء؟"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "لا تزال صور المنتج الخاص بك قيد الرفع في الخلفية. قد تكون سرعة الرفع أبطأ، وقد تحدث أخطاء. للحصول على أفضل النتائج، يرجى إبقاء التطبيق مفتوحًا حتى تكتمل عمليات الرفع."; @@ -10310,1164 +10332,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "لم يرسل الماسح الضوئي حرف نهاية السطر"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "فشل طلب الشبكة"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "لا يوجد اتصال بالإنترنت"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "لم نعثُر على المنتج الأصلي للتباين"; - -/* 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" = "نوع عنصر غير مدعوم"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "تم إلغاء عملية الدفع على القارئ"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "محاولة الدفع مجددًا"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "تم إدراج البطاقة"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "مستعد للدفع"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "اتصال القارئ الخاص بك"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "معالجة الدفع"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "إلغاء"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "لتشغيل قارئ البطاقات لديك، اضغط لفترة وجيزة على زر التشغيل لديك."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "الفحص بحثًا عن قارئ"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "طلب جديد"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "محاولة الدفع مجددًا"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "بسبب خطأ في الشبكة، تعذر علينا تأكيد أن الدفع نجح. تحقق من الدفع على جهاز يتضمن اتصال شبكة فعالاً. إذا لم ينجح الأمر، فأعد محاولة الدفع. إذا نجح الأمر، فابدأ طلبًا جديدًا."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "خطأ في السداد"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "الانتقال إلى إجراءات السداد"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "فشلت عملية الدفع"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "تجربة طريقة دفع أخرى"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "محاولة الدفع مجددًا"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "إذا كنت ترغب في مواصلة معالجة هذه المعاملة، فيرجى إعادة محاولة الدفع."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "فشلت عملية الدفع"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "تجربة طريقة دفع أخرى"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "تحرير الطلب"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "خطأ في تحضير الدفع"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "محاولة الدفع مجددًا"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "معالجة الدفع"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "الاستعداد"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "تحضير القارئ للدفع"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "إدراج بطاقة"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "تقديم بطاقة"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "النقر على البطاقة"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "النقر على البطاقة أو إدراجها"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "النقر على بطاقة أو تمريرها أو إدراجها"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "مستعد للدفع"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "لم يتم ربط القارئ"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "لمعالجة هذا الدفع، يرجى الاتصال بالقارئ الخاص بك أو اختيار الدفع نقدًا."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "التحقق من الطلب"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "الاستعداد"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "إجمالي الطلبات أقل من الحد الأدنى للمبلغ الذي يمكنك شحن البطاقة به، وهو %1$@. يمكنك قبول الدفع نقدًا بدلاً من ذلك."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "يتعذر قبول الدفع بالبطاقة"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "خطأ في أثناء التحقق من الطلب"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "المحاولة مجددًا"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "يرجى الانتظار"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "تجاهل"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "فتح إعدادات الجهاز"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "يلزم الحصول على صلاحية البلوتوث"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "إلغاء"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "تعذر علينا ربط قارئك"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "المحاولة مجددًا"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "إلغاء"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "بطارية القارئ منخفضة للغاية. يرجى شحن القارئ أو جرب قارئًا مختلفًا."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "المحاولة مجددًا"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "تعذر علينا ربط قارئك"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "إلغاء"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "فتح إعدادات الجهاز"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "صلاحية خدمات الموقع مطلوبة للحد من الاحتيال ومنع النزاعات وضمان المدفوعات الآمنة."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "تمكين خدمات الموقع للسماح بالمدفوعات."; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "تجاهل"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "فشل الاتصال"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "إلغاء"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "إدخال العنوان"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "إعادة المحاولة بعد التحديث"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "يرجى تصحيح عنوان متجرك للمتابعة"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "إلغاء"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "يمكنك تعيين الرمز البريدي\/ZIP الخاص بمتجرك في مسؤول ووردبريس > WooCommerce > الإعدادات (عام)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "إعادة المحاولة بعد التحديث"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "يرجى تصحيح الرمز البريدي\/ZIP الخاص بمتجرك"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "متابعة"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "يمكنك تغيير هذا الخيار لاحقًا ضمن تطبيق الإعدادات."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "صلاحية خدمات الموقع مطلوبة للحد من الاحتيال ومنع النزاعات وضمان المدفوعات الآمنة."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "تمكين خدمات الموقع للسماح بالمدفوعات."; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "يرجى الانتظار..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "الربط بالقارئ"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "تم"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "تم ربط القارئ"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "إلغاء"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "الاتصال"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "تم العثور على عدة قراء"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "الفحص بحثًا عن القراء"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "إلغاء"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "الربط بالقارئ"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "هل تريد الربط بهذا القارئ؟"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "الاستمرار في البحث"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "تم العثور على %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "إلغاء"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "سيقوم القارئ الخاص بك بإعادة التشغيل وإعادة الاتصال تلقائيًا بعد انتهاء التحديث"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "مكتمل بنسبة %.0f%%"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "تحديث البرنامج"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "فهمت"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "مكتمل بنسبة %.0f%%"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "تم تحديث البرنامج"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "إلغاء"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "المحاولة مجددًا"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "يتعذر علينا تحديث برنامج القارئ الخاص بك"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "فشل تحديث القارئ لأن البطارية مشحونة بنسبة %.0f%%. يرجى شحن القارئ ثم المحاولة مجددًا."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "إلغاء"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "فشل تحديث القارئ بسبب انخفاض مستوى البطارية. يرجى شحن القارئ ثم المحاولة مجددًا."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "المحاولة مجددًا"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "يرجى شحن القارئ"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "تجاهل"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "يتعذر علينا تحديث برنامج القارئ الخاص بك"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "إلغاء على أي حال"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "يتعين تحديث برنامج قارئ البطاقة الخاص بك لتحصيل المدفوعات. سيؤدي الإلغاء إلى حظر اتصال القارئ الخاص بك."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "مكتمل بنسبة %.0f%%"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "تحديث البرنامج"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "تجاهل"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "فشل ربط القارئ"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "إغلاق"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "بسبب خطأ في الشبكة، لا نعرف ما إذا كانت عملية الدفع ناجحة."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "يرجى التحقق مجددًا من الطلب على جهاز متصل بالشبكة قبل المتابعة."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "قد يفشل هذا الطلب"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "الإجمالي: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "المدفوعات النقدية"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "وسم المدفوعات بأنها مكتملة"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "خطأ في أثناء محاولة معالجة المدفوعات. حاول مرة أخرى."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "يرجى الانتظار"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "فصل ربط القارئ"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "إنهاء POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "الحصول على الدعم"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "الطلبات"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "أين منتجاتي؟"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "تم اتصال القارئ"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "اتصال القارئ الخاص بك"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "فصل الربط"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "الإعدادات"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "الوثائق"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "إزالة"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "جارٍ التحميل"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "تحرير الطلب"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "يتعذر تطبيق القسيمة"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "إزالة القسيمة"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "إزالة القسائم"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "تعذر تحميل الإجماليات"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "المحاولة مجددًا"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "تم سداد الدفع بالبطاقة قدره %1$@ بنجاح."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "تم سداد دفع نقدي قدره %1$@ بنجاح."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "نجح الدفع"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "إرسال"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "إرسال إيصال في رسالة عبر البريد الإلكتروني"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "يرجى إدخال بريد إلكتروني صالح."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "خطأ في أثناء إرسال هذه الرسالة عبر البريد الإلكتروني. حاول مرة أخرى."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "كتابة رسالة عبر البريد الإلكتروني"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "إلغاء"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "إلغاء"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "غير معروف"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "تعرف على المزيد حول قبول المدفوعات باستخدام الهاتف المحمول"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "الوثائق"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "القارئ غير متصل"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "قارئات البطاقات"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "تكوين إعدادات الماسح الضوئي للرمز الشريطي"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "الماسحات الضوئية للرمز الشريطي"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "إدارة عمليات ربط قارئ البطاقات"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "قارئات البطاقات"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "الأجهزة"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "البطارية"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "النموذج"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "تعرف على المزيد حول المسح الضوئي للرمز الشريطي في نقطة البيع (POS)"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "الوثائق"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "قم بتكوين الماسح الضوئي للرمز الشريطي الخاص بك واختباره"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "إعداد الماسح الضوئي"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "الماسحات الضوئية للرمز الشريطي"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "لم يتم التعيين"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "العنوان"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "البريد الإلكتروني"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "لم يتم التعيين"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "رقم الهاتف"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "العنوان الفعلي"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "معلومات الإيصال"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "اسم المتجر"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "سياسة الاسترداد والإرجاع"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "معلومات المتجر"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "اسم المتجر"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "المتجر"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "الإعدادات"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "إدارة عمليات ربط الأجهزة"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "الأجهزة"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "احصل على المساعدة والدعم"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "المساعدة"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "إدارة إعدادات الكتالوج"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "الكتالوج"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "تكوين المتجر والإعدادات"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "المتجر"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "مسح الرمز الشريطي"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• وصّل ماسحك الضوئي للرمز الشريطي بإعدادات البلوتوث في نظام التشغيل iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "أولًا: وصّل ماسحك الضوئي للرمز الشريطي بإعدادات البلوتوث في نظام التشغيل iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "يمكنك مسح الرموز الشريطية ضوئيًا باستخدام ماسح ضوئي خارجي لإعداد عربة التسوق سريعًا."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• امسح الرموز الشريطية ضوئيًا أثناء وجودك في قائمة العناصر لإضافة المنتجات إلى عربة التسوق."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "ثانيًا: امسح الرموز الشريطية ضوئيًا أثناء وجودك في قائمة العناصر لإضافة المنتجات إلى عربة التسوق."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• تأكد من أن حقل البحث غير مُمكن أثناء فحص الرموز الشريطية."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "تأكد من أن حقل البحث غير مُمكن أثناء فحص الرموز الشريطية."; - -/* 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\" بالانتقال إلى المنتجات، ثم تفاصيل المنتج، ثم المخزون."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "تفضَّل بزيارة الوثائق."; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "يمكنك إعداد الرموز الشريطية في حقول \"GTIN، UPC، EAN، ISBN\" من خلال علامة تبويب مخزون المنتج. للحصول على مزيد من التفاصيل %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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.2" = "• راجع تعليمات الماسح الضوئي للرمز الشريطي الخاص بك عبر تقنية البلوتوث لتعيين وضع HID. يتطلب هذا عادة فحص رمز شريطي خاص في الدليل."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "ثانيًا: راجع تعليمات الماسح الضوئي للرمز الشريطي الخاص بك عبر تقنية البلوتوث لتعيين وضع 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "رجوع"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "صورة كود مطلوب مسحه ضوئيًا بواسطة ماسح الرمز الشريطي."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "أنت مستعد لبدء المسح الضوئي للمنتجات. في المرة القادمة التي تحتاج فيها إلى توصيل الماسح الضوئي، ما عليك سوى تشغيله وسيتم إعادة توصيله تلقائيًا."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "انتهى إعداد الماسح الضوئي!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "تم"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "الرجوع"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "يُرجى التحقق من دليل الماسح الضوئي وإعادة ضبطه إلى إعدادات المصنع، ثم إعادة محاولة ضبط إعدادات التدفق."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "إعادة المحاولة"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "تم العثور على مشكلة في المسح الضوئي"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "أستخدم ماسحك الضوئي للرمز الشريطي لمسح الرمز أدناه لتمكين وضع بلوتوث HID."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "التالي"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "أخرى"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "أستخدم ماسحك الضوئي للرمز الشريطي لمسح الكود أدناه لدخول وضع الاقتران."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "مكّن تقنية بلوتوث وحدد ماسحك الضوئي %1$@ في إعدادات تقنية بلوتوث في نظام التشغيل iOS. سيصدر الماسح الضوئي صوت صفير ويعرض مؤشر LED إضاءة ثابتة عند الاقتران."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "انتقل إلى إعدادات جهازك"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "إقران ماسحك الضوئي"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "كيفية إعداد الرمز الشريطي للمنتجات"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "كيفية إعداد الرمز الشريطي للمنتجات"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "إعداد الماسح الضوئي"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "إعداد الماسح الضوئي"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "ماسح ضوئي آخر"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "قم بإعداد ماسح الرمز الشريطي"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "حدد نموذجًا من القائمة:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "ستار بي إس إتش-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "امسح الرمز الشريطي ضوئيًا لاختبار ماسحك الضوئي."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "امسح الرمز الشريطي ضوئيا لاختبار ماسحك الضوئي. إذا استمرت المشكلة، فيُرجى التحقق من إعدادات البلوتوث وإعادة المحاولة."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "لم نعثر على بيانات الفحص حتى الآن"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "اختبر ماسحك الضوئي"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "النقر على منتج إلى \n إضافته إلى عربة التسوق"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "النقر على منتج من أجل \n إضافته إلى عربة التسوق، أو "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "عربة التسوق"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "مسح الكود الشريطي ضوئيًا"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "السداد"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "مسح عربة التسوق"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "لا يوجد اتصال بالإنترنت"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "إلغاء"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "إنشاء قسيمة"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "سيتم فقدان أي طلبات قيد التقدم."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "إنهاء"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "هل تريد إنهاء وضع نقطة البيع؟"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "إنهاء POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "تمكين ميزة نقاط البيع"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "إعادة المحاولة"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "يجب تمكين نقطة البيع للمتابعة. يُرجى تمكين ميزة نقطة البيع من مشرفك في WordPress ضمن إعدادات WooCommerce > الإعدادات المتقدمة > الميزات وإعادة المحاولة."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "حاول إعادة تشغيل التطبيق لحل هذه المشكلة."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "تعذر تحميل معلومات إعدادات الموقع. يُرجى التحقق من اتصالك بالإنترنت والمحاولة مرة أخرى. إذا استمرت المشكلة، تواصل مع الدعم للحصول على المساعدة."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "لا يتوافر نظام نقطة البيع لعملة متجرك. في %1$@, لا يدعم حاليًا سوى %2$@. يُرجى التحقق من إعدادات عملة متجرك أو الاتصال بالدعم للحصول على المساعدة."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "إصدار WooCommerce الخاص بك غير مدعوم. يتطلب نظام نقطة البيع الإصدار %1$@ من WooCommerce أو إصدار أحدث. يُرجى التحديث إلى آخر إصدار من WooCommerce."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "تعذر تحميل معلومات إضافة WooCommerce. يُرجى التأكد من تثبيت إضافة WooCommerce وتفعيلها من مشرفك في WordPress. إذا إستمرت المشكلة، تواصل مع الدعم للحصول على المساعدة."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "يتعذر التحميل"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "يُرجى التحقق من اتصالك بالإنترنت والمحاولة مرة أخرى."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "يتعذر تمكين القسائم"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "يتعذر تحميل المزيد من القسائم"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "يتعذر تحميل المزيد من المنتجات"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "يتعذر تحميل المنتجات"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "يتعذر تحميل المزيد من التباينات"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "يتعذر تحميل التباينات"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "يتعذر تحديث القسائم"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "يُرجى المحاولة مجددًا."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "تمكين القسائم"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "قم بتمكين أكواد القسائم في متجرك لبدء إنشائها لعملائك."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "البدء في قبول القسائم"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "يتعذر تحميل القسائم"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "إعادة المحاولة"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "المنتجات"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "البحث عن القسائم"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "البحث عن المنتجات"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "البحث"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "القسائم"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "المنتجات"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "البحث في متجرك"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "المنتجات الرائجة"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "عمليات البحث الحديثة"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "تجاهل"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "حالة الطلب: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "لا يوجد طلب للعرض"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "طلب"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "المنتجات"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "الإجماليات"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "إجمالي الخصم: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "إجمالي الخصم"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "اضغط لإرسال إيصال الطلب عبر البريد الإلكتروني"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "إرسال الإيصال في رسالة عبر البريد الإلكتروني"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "تاريخ الطلب: %1$@، الحالة: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "البريد الإلكتروني للعميل: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "صافي المدفوعات: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "المبلغ الصافي للمدفوعات"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "إجمالي المبلغ المدفوع: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "طريقة الدفع: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "إجمالي المبلغ المدفوع"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "الكمية: %1$@ بالسعر %2$@ لكل وحدة، إجمالي السعر %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "المنتجات"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "المنتجات"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "السبب: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "المبلغ المسترد: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "السبب: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "المبلغ المسترد"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "الإجمالي الفرعي للمنتجات: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "الضرائب: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "الضرائب"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "إجمالي الطلبات: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "الإجمالي"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "الإجماليات"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "يتعذر تحميل طلبات إضافية"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "يتعذر تحميل الطلبات"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "تحديث"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "حاول تعديل مصطلح البحث."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "لم نتمكن من العثور على أي شيء يطابق بحثك."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "لم يتم العثور على طلبات"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "ستظهر الطلبات هنا بمجرد بدء معالجة المبيعات على POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "لا توجد طلبات حتى الآن"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "اضغط لعرض تفاصيل الطلب"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "الطلب رقم #%1$@، الإجمالي %2$@، %3$@، الحالة: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "البريد الإلكتروني: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "الطلبات"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "بحث عن الطلبات"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "البحث في الطلبات"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "خيارات متوفرة"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "لم نتمكن من العثور على أي قسائم بهذا الاسم — حاول ضبط مصطلح البحث."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "يمكن أن تكون القسائم طريقة فعالة لتعزيز الأعمال التجارية. هل ترغب في إنشاء واحدة؟"; - -/* 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" = "لإضافة نقطة بيع، اخرج منها وانتقل إلى المنتجات."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "يتعذر البحث في أسماء الأشكال، لذا استخدم اسم المنتج الأصلي."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "لم نتمكن من العثور على أي منتجات مطابقة - حاول ضبط مصطلح البحث."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "لم يتم العثور على منتجات"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "لا تدعم نقطة البيع حاليًا سوى المنتجات البسيطة والمتغيرة."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "لم يتم العثور على منتجات مدعومة"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "لإضافة نقطة بيع، اخرج منها وحرر هذا المنتج في علامة تبويب المنتجات."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "لا تدعم نقطة البيع إلا الأشكال الممكَّنة غير القابلة للتنزيل."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "لم يتم العثور على تباينات مدعومة"; - -/* 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" = "مسح البحث"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "إنشاء طلب في إدارة المتجر"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "لتلقي دفعة مقابل منتج غير مدعوم، اخرج من نقطة البيع وأنشئ طلبًا جديدًا من علامة تبويب الطلبات."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "أما أنواع المنتجات الأخرى، فستتوفر في التحديثات المستقبلية."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "لا يمكن استخدام سوى المنتجات غير القابلة للتنزيل البسيطة والمتغيرة التي تتضمن نقطة بيع الآن."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "لماذا يتعذر علي رؤية منتجاتي؟"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ متوفر في المخزون"; - -/* 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" = "طلب جديد"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "إرسال إيصال في رسالة عبر البريد الإلكتروني"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "المدفوعات النقدية"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "إجمالي الخصم"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "الإجمالي الفرعي"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "الضرائب"; - -/* Title for total amount field */ -"pos.totalsView.total" = "الإجمالي"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "يرجى ضبط تقسيم الشاشة لديك لإعطاء نقطة البيع مساحة أكبر."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "نقطة البيع غير مدعومة في عرض الشاشة هذا."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "السماح بالتحديث الكامل عبر بيانات الهاتف الخلوي"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "حجم الكتالوج"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "حالة الكتالوج"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "آخر تحديث كامل"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "آخر تحديث"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "إدارة استخدام البيانات"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "تحديث الكتالوج يدويًا"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "لا تستخدم هذا التحديث إلا عندما يبدو أن شيئًا ما متوقفًا عن التشغيل - يحافظ POS على تحديث البيانات تلقائيًا."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "تحديث الكتالوج"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "إعدادات الكتالوج"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "⁦%1$d⁩ من المنتجات، ⁦%2$ld⁩ من المجموعات"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "حجم الكتالوج غير متوفر"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "لا يتم التحديث"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "تاريخ التحديث غير متوفر"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "إغلاق"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "نقطة البيع"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "السداد عبر الويب"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "مشرف WP"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "إلغاء"; diff --git a/WooCommerce/Resources/de.lproj/Localizable.strings b/WooCommerce/Resources/de.lproj/Localizable.strings index 588d58c6f4f..48d5e58aba9 100644 --- a/WooCommerce/Resources/de.lproj/Localizable.strings +++ b/WooCommerce/Resources/de.lproj/Localizable.strings @@ -910,9 +910,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Als bezahlt markieren"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Als rückerstattet markieren"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Service"; @@ -3285,9 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Nachname"; -/* 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"; @@ -4512,26 +4506,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Dokumentation"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Support erhalten"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Erfahre, welche Produkte in POS unterstützt werden"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Wo sind meine Produkte?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Abbrechen"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Hilfe"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Beliebt"; @@ -6141,9 +6115,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Die Zahlung wurde storniert."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Die Zahlung wurde unterbrochen und kann nicht fortgesetzt werden. Du kannst die Zahlung über den Bestellbildschirm erneut versuchen."; @@ -6709,21 +6680,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 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$@."; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Zahlung konnte nicht bearbeitet werden. Gesamtsumme der Bestellung ist ungültig."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Zahlung konnte nicht verarbeitet werden. Diese Bestellung wurde bereits bezahlt. Eine weitere Zahlung hätte zur Folge, dass dem Kunden die Kosten für die Bestellung doppelt in Rechnung gestellt werden. "; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Zahlung konnte nicht verarbeitet werden. Es konnte keine Verbindung zum Zahlungssystem hergestellt werden. Bitte wende dich an den Support, falls dieser Fehler weiterhin auftritt."; - -/* 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$@"; - /* 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."; @@ -8718,9 +8674,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Variables Abonnement"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "In Bearbeitung"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Abbrechen"; @@ -8848,12 +8801,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Die Gesamtbestellsumme hat sich seit Beginn deiner Zahlung geändert. Gehe zurück und überprüfe, ob deine Bestellung korrekt ist. Versuche dann erneut, die Zahlung vorzunehmen."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Fälliges Wechselgeld: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Wählt ein Produkt für die Blaze-Kampagne aus."; @@ -8947,9 +8894,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Problembehandlung der Verbindung"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Abgelaufen am %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Adresse"; @@ -10310,1164 +10254,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Der Scanner hat kein Zeilenumbruchzeichen gesendet"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Netzwerkanfrage fehlgeschlagen"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Keine Internetverbindung"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Übergeordnetes Produkt für Variante nicht gefunden"; - -/* 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"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Zahlung am Lesegerät storniert"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Zahlung erneut versuchen"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Karte eingefügt"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Bereit für Zahlung"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Kartenlesegerät verbinden"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Zahlung wird bearbeitet"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Abbrechen"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Schalte dein Kartenlesegerät ein, indem du den Power-Button drückst."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Suche nach Kartenlesegerät"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Neue Bestellung"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Zahlung erneut versuchen"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Aufgrund eines Netzwerksfehlers können wir nicht bestätigen, dass die Zahlung erfolgreich abgeschlossen wurde. Bestätige die Zahlung auf einem Gerät mit einer funktionierenden Internetverbindung. Wenn du die Zahlung nicht bestätigen kannst, führe sie erneut durch. Wenn du die Zahlung bestätigen kannst, starte eine neue Bestellung."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Zahlungsfehler"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Zurück zum Bezahlen"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Bezahlen fehlgeschlagen"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Andere Zahlungsmethode verwenden"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Zahlung erneut versuchen"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Wenn du die Bearbeitung der Transaktion fortsetzen möchtest, versuche bitte, die Zahlung erneut auszuführen."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Bezahlen fehlgeschlagen"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Andere Zahlungsmethode verwenden"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Bestellung bearbeiten"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Fehler bei der Zahlungsvorbereitung"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Zahlung erneut versuchen"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Zahlung wird bearbeitet"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Vorbereitung läuft"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Leser wird für Zahlung vorbereitet"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Karte einstecken"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Karte vorlegen"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Karte auflegen"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Karte auflegen oder einstecken"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Karte durchziehen, auflegen oder einstecken"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Bereit für Zahlung"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Lesegerät nicht verbunden"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Verbinde deinen Leser oder wähle Barzahlung aus, um diese Zahlung verarbeiten zu können."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Bestellung wird überprüft"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Vorbereitung läuft"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Die Gesamtsumme der Bestellung liegt unter der Mindestsumme, mit der eine Karte belastet werden kann. Die Mindestsumme beträgt %1$@. Du kannst stattdessen eine Barzahlung entgegennehmen."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Kartenzahlung nicht möglich"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Fehler beim Überprüfen der Bestellung"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Erneut versuchen"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Bitte warten"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Verwerfen"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Geräte-Einstellungen öffnen"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Bluetooth-Berechtigung erforderlich"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Abbrechen"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Fehler beim Herstellen einer Verbindung zum Kartenlesegerät"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Erneut versuchen"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Abbrechen"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Der Akkustand des Kartenlesegeräts ist sehr niedrig. Bitte lade den Akku deines Kartenlesegeräts auf oder verwende ein anderes Kartenlesegerät."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Erneut versuchen"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Fehler beim Herstellen einer Verbindung zum Kartenlesegerät"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Abbrechen"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Geräteeinstellungen öffnen"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Die Berechtigung für Standortdienste ist erforderlich, um Betrug zu verhindern, Reklamationen zu minimieren und für sichere Zahlungen zu sorgen."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Aktiviere die Standortdienste, um Zahlungen zuzulassen"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Verwerfen"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Verbindung fehlgeschlagen"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Abbrechen"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Adresse eingeben"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Nach dem Aktualisieren erneut versuchen"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Korrigiere bitte deine Shop-Adresse, um fortzufahren"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Abbrechen"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Du kannst die Postleitzahl\/PLZ deines Shops in wp-admin > WooCommerce > Einstellungen (Allgemein) festlegen"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Nach dem Aktualisieren erneut versuchen"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Korrigiere bitte die Postleitzahl\/PLZ deines Shops"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Weiter"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Du kannst diese Option später in der Einstellungs-App ändern."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Die Berechtigung für Standortdienste ist erforderlich, um Betrug zu verhindern, Reklamationen zu minimieren und für sichere Zahlungen zu sorgen."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Aktiviere die Standortdienste, um Zahlungen zuzulassen"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Bitte warten …"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Verbindung zum Kartenlesegerät wird hergestellt"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Fertig"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Lesegerät verbunden"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Abbrechen"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Verbinden"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Mehrere Reader gefunden"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Suche nach Readern"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Abbrechen"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Mit Kartenlesegerät verbinden"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Möchtest du dieses Kartenlesegerät verbinden?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Weiter suchen"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ gefunden"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Abbrechen"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Dein Kartenlesegerät wird nach Abschluss des Updates automatisch neu gestartet und neu verbunden"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f %% abgeschlossen"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Software wird aktualisiert"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Verstanden"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f %% abgeschlossen"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Software aktualisiert"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Abbrechen"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Erneut versuchen"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Die Software deines Kartenlesegeräts konnte nicht aktualisiert werden"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Ein Update am Lesegerät ist fehlgeschlagen, weil der Akkustand des Geräts nur %.0f%% beträgt. Bitte lade das Kartenlesegerät und versuche es erneut."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Abbrechen"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Ein Update am Lesegerät ist fehlgeschlagen, weil der Akkustand des Geräts zu niedrig ist. Bitte lade das Kartenlesegerät und versuche es erneut."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Erneut versuchen"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Lade bitte den Akku deines Kartenlesegeräts auf"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Verwerfen"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Die Software deines Kartenlesegeräts konnte nicht aktualisiert werden"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Trotzdem abbrechen"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Die Software deines Kartenlesegeräts muss aktualisiert werden, damit es Zahlungen empfangen kann. Wenn du abbrichst, wird die Verbindung deines Kartenlesegeräts blockiert."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f %% abgeschlossen"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Software wird aktualisiert"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Verwerfen"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Verbindung zum Kartenlesegerät fehlgeschlagen"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Schließen"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Aufgrund eines Netzwerkfehlers wissen wir nicht, ob die Zahlung erfolgreich war."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Bitte überprüfe die Bestellung auf einem Gerät mit Netzwerkverbindung, bevor du fortfährst."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Diese Bestellung ist möglicherweise fehlgeschlagen"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Gesamtbetrag: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Barzahlung"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Zahlung als abgeschlossen kennzeichnen"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Fehler beim Verarbeiten der Zahlung. Versuche es erneut."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Ersteinrichtung des Barcode-Scanners"; - -/* 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"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Kartenlesegerät trennen"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "POS beenden"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Support erhalten"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Bestellungen"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Wo sind meine Produkte?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Lesegerät verbunden"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Kartenlesegerät verbinden"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Verbindung wird getrennt"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Einstellungen"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Dokumentation"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Entfernen"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Wird geladen"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Bestellung bearbeiten"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Gutschein kann nicht angewendet werden"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Gutschein entfernen"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Gutscheine entfernen"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Gesamtbeträge konnten nicht geladen werden"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Erneut versuchen"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Eine Kartenzahlung in Höhe von %1$@ wurde erfolgreich durchgeführt."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Eine Barzahlung in Höhe von %1$@ wurde erfolgreich durchgeführt."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Zahlung erfolgreich"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Senden"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Beleg per E-Mail senden"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Bitte gib eine gültige E-Mail-Adresse ein."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Fehler beim Senden dieser E-Mail. Versuche es erneut."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "E-Mail-Adresse eingeben"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Abbrechen"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Abbrechen"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Unbekannt"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Weitere Informationen zum Empfang von Zahlungen per Mobilgerät"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Dokumentation"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Lesegerät nicht verbunden"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Kartenlesegeräte"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Einstellungen für Barcodescanner konfigurieren"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Barcodescanner"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Verbindungen des Kartenlesegeräts verwalten"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Kartenlesegeräte"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hardware"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Akku"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modell"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Weitere Informationen zum Scannen von Barcodes in POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Dokumentation"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Deinen Barcodescanner konfigurieren und testen"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Scanner-Einrichtung"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Barcodescanner"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Nicht festgelegt"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Adresse"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-Mail"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Nicht festgelegt"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Telefonnummer"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Physische Adresse"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Beleginformationen"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Shop-Name"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Richtlinie für Rückerstattungen und Rückgaben"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Shop-Informationen"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Shop-Name"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Shop"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Einstellungen"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Hardware-Verbindungen verwalten"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hardware"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Hilfe und Support erhalten"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Hilfe"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Katalogeinstellungen verwalten"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Katalog"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Shop-Konfiguration und -Einstellungen"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Shop"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Barcode-Scans"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Weitere Informationen zu deinem Bluetooth-Barcode-Scanner findest du in den iOS-Bluetooth-Systemeinstellungen."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Erstens: Weitere Informationen zu deinem Bluetooth-Barcode-Scanner findest du in den iOS-Bluetooth-Systemeinstellungen."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Du kannst Barcodes mit einem externen Scanner scannen, um deinen Warenkorb schnell zu füllen."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• In der Ansicht mit der Artikelliste kannst du Barcodes scannen, um Produkte zum Warenkorb hinzuzufügen."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Zweitens: In der Ansicht mit der Artikelliste kannst du Barcodes scannen, um Produkte zum Warenkorb hinzuzufügen."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Stelle sicher, dass das Suchfeld beim Scannen von Barcodes nicht aktiviert ist."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Drittens: Stelle sicher, dass das Suchfeld beim Scannen von Barcodes nicht aktiviert ist."; - -/* 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."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "Dokumentationsseite aufrufen"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Du kannst Barcodes im Tab für den Produktbestand im Feld „GTIN, UPC, EAN, ISBN“ einrichten. %1$@, um weitere Details zu erhalten."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Du kannst Barcodes im Tab für den Produktbestand im Feld „GTIN, UPC, EAN, ISBN“ einrichten. Weitere Details findest du in der Dokumentation – Link."; - -/* 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.2" = "• Informationen zum Festlegen des HID-Modus findest du in der Anleitung des Bluetooth-Barcodescanners. Hierfür ist in der Regel das Scannen eines speziellen Barcodes im Handbuch erforderlich."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Zweitens: Informationen zum Festlegen des H-I-D-Modus findest du in der Anleitung des Bluetooth-Barcodescanners. Hierfür ist in der Regel das Scannen eines speziellen Barcodes im Handbuch erforderlich."; - -/* 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Zurück"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Bild eines Codes, der von einem Barcode-Scanner gescannt werden soll."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Du kannst jetzt mit dem Scannen von Produkten beginnen. Wenn du deinen Scanner das nächste Mal verbinden musst, schalte ihn einfach ein. Dann wird er die Verbindung automatisch wiederherstellen."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Scanner eingerichtet!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Fertig"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Zurück"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Wirf einen Blick in das Handbuch des Scanners, um ihn auf die Werkseinstellungen zurückzusetzen. Anschließend kannst du die Einrichtung erneut vornehmen."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Erneut versuchen"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Problem beim Scannen gefunden"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Verwende deinen Barcode-Scanner, um den nachstehenden Code zu scannen und den Bluetooth-HID-Modus zu aktivieren."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Weiter"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Sonstige"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Verwende deinen Barcode-Scanner, um den nachstehenden Code zu scannen und in den Kopplungsmodus zu wechseln."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Aktiviere Bluetooth und wähle deinen %1$@-Scanner in den iOS-Bluetooth-Einstellungen aus. Der Scanner gibt einen Signalton aus. Nach der Kopplung leuchtet die LED des Scanners dauerhaft."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Zu deinen Geräteeinstellungen wechseln"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Deinen Scanner koppeln"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "So richtest du Barcodes für Produkte ein"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "So richtest du Barcodes für Produkte ein"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Scanner-Einrichtung"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Scanner-Einrichtung"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Anderer Scanner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Einen Barcode-Scanner einrichten"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Wähle ein Modell aus der Liste aus:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Scanne den Barcode, um deinen Scanner zu testen."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Scanne den Barcode, um deinen Scanner zu testen. Wenn das Problem weiterhin besteht, überprüfe die Bluetooth-Einstellungen und versuche es erneut."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Noch keine Scandaten gefunden"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Teste deinen Scanner"; - -/* 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"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Tippe auf ein Produkt, um \n es dem Warenkorb hinzuzufügen oder den "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Warenkorb"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Barcode zu scannen"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Bezahlen"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Warenkorb leeren"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Keine Internetverbindung"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Abbrechen"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Gutschein erstellen"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Alle Bestellungen, die sich gerade in Bearbeitung befinden, gehen verloren."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Beenden"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Modus „Verkaufsort“ (POS) beenden?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "POS beenden"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "POS-Funktion aktivieren"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Erneut versuchen"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "„Verkaufsort (POS)“ muss aktiviert sein, damit du fortfahren kannst. Bitte aktiviere die POS-Funktion unten oder über deinen WordPress-Admin unter „WooCommerce-Einstellungen > Erweitert > Funktionen“ und versuche es anschließend erneut."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Starte die App neu, um dieses Problem zu beheben."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Die Informationen zu den Website-Einstellungen konnten nicht geladen werden. Bitte überprüfe deine Internetverbindung und versuche es erneut. Wenn das Problem weiterhin besteht, wende dich bitte an den Support."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Das POS-System ist für die Währung deines Shops nicht verfügbar. In %1$@ wird derzeit nur folgende Währung unterstützt: %2$@. Bitte überprüfe die Währungseinstellungen deines Shops oder kontaktiere den Support, um Hilfe zu erhalten."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Deine WooCommerce-Version wird nicht unterstützt. Das POS-System erfordert WooCommerce Version %1$@ oder höher. Aktualisiere bitte auf die neueste Version von WooCommerce."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Die WooCommerce-Plugin-Informationen konnten nicht geladen werden. Stelle zunächst sicher, dass das WooCommerce-Plugin installiert ist und über deinen WordPress-Admin aktiviert wurde. Wenn das Problem weiterhin besteht, wende dich bitte an den Support."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Konnte nicht geladen werden"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Bitte überprüfe deine Internetverbindung und versuche es erneut."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Gutscheine können nicht aktiviert werden"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Es konnten keine weiteren Gutscheine geladen werden"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Es konnten keine weiteren Produkte geladen werden"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Produkte konnten nicht geladen werden"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Es konnten keine weiteren Varianten geladen werden"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Varianten konnten nicht geladen werden"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Gutscheine können nicht aktualisiert werden"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Bitte versuche es erneut."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Gutscheine aktivieren"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Aktiviere Gutscheincodes in deinem Shop, um Gutscheine für deine Kunden zu erstellen."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Jetzt Gutscheine erhalten"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Gutscheine konnten nicht geladen werden"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Erneut versuchen"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Produkte"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Gutscheine suchen"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Produkte suchen"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Suchen"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Gutscheine"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Produkte"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Deinen Shop durchsuchen"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Beliebte Produkte"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Aktuelle Suchen"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Schließen"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Bestellstatus: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Keine anzuzeigende Bestellung"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Bestellung"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Produkte"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Gesamt"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Rabatt insgesamt: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Rabatt insgesamt"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Tippen, um Bestellbeleg per E-Mail zu senden"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Beleg per E-Mail senden"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Bestelldatum: %1$@, Status: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Kunden-E-Mail-Adresse: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Nächste Zahlung: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Nettozahlung"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Bezahlter Gesamtbetrag: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Zahlungsmethode: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Bezahlter Gesamtbetrag"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Menge: %1$@ zu je %2$@, insgesamt %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Produkte"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Produkte"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Grund: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Rückerstattet: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Grund: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Rückerstattet"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Zwischensumme der Produkte: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Steuern: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Steuern"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Gesamtbestellsumme: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Gesamt"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Gesamt"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Weitere Bestellungen konnten nicht geladen werden"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Bestellungen konnten nicht geladen werden"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Aktualisieren"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Versuche, deinen Suchbegriff anzupassen."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Wir konnten keine Bestellungen finden, die deiner Suche entsprechen."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Keine Bestellungen gefunden"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Bestellungen werden hier angezeigt, sobald du mit der Verarbeitung von Verkäufen am POS beginnst."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Noch keine Bestellungen"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Tippen, um Bestelldetails anzuzeigen"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Bestellnummer: #%1$@, Summe: %2$@, %3$@, Status: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-Mail-Adresse: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Bestellungen"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Bestellungen durchsuchen"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Bestellungen durchsuchen"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Verfügbare Optionen"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Wir konnten keine Gutscheine mit diesem Namen finden. Versuche, deinen Suchbegriff anzupassen."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Gutscheine können eine effektive Möglichkeit sein, das Geschäft anzukurbeln. Möchtest du einen erstellen?"; - -/* 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“."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Eine Suche nach Variantennamen ist nicht möglich. Verwende daher den Namen des übergeordneten Produkts."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Wir konnten keine passenden Produkte finden. Versuche, deinen Suchbegriff anzupassen."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Keine Produkte gefunden"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS unterstützt derzeit nur einfache und variable Produkte."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Keine unterstützten Produkte gefunden"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Wenn du eins hinzufügen möchtest, beende POS und bearbeite dieses Produkt über den Tab „Produkt“."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS unterstützt nur aktivierte, nicht herunterladbare Varianten."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Keine unterstützten Varianten gefunden"; - -/* 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"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Eine Bestellung im Shop-Management erstellen"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Um die Zahlung für ein nicht unterstütztes Produkt entgegenzunehmen, beende POS und erstelle eine neue Bestellung über den Tab „Bestellungen“."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Weitere Produkttypen werden in künftigen Updates bereitgestellt."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Derzeit können nur einfache und variable, nicht herunterladbare Produkte mit POS verwendet werden."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Warum werden mir meine Produkte nicht angezeigt?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ vorrätig"; - -/* 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"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Beleg per E-Mail senden"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Barzahlung"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Rabatt insgesamt"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Zwischensumme"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Steuern"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Gesamt"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Bitte passe deine Bildschirmaufteilung an, damit genügend Platz für den Verkaufsort (POS) zur Verfügung steht."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Verkaufsort (POS) wird bei dieser Bildschirmbreite nicht unterstützt."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Vollständige Aktualisierung von Mobilfunkdaten erlauben"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Kataloggröße"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Katalogstatus"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Letzte vollständige Aktualisierung"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Letzte Aktualisierung"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Datennutzung verwalten"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Manuelles Katalog-Update"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Verwende diese Aktualisierung nur, wenn etwas nicht zu funktionieren scheint – POS hält die Daten automatisch auf dem neuesten Stand."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Katalog aktualisieren"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Katalogeinstellungen"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d Produkte, %2$ld Varianten"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Kataloggröße nicht verfügbar"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Nicht aktualisiert"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Aktualisierungsdatum nicht verfügbar"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Schließen"; diff --git a/WooCommerce/Resources/es.lproj/Localizable.strings b/WooCommerce/Resources/es.lproj/Localizable.strings index dd5c7ee7f09..6ac5fc04d77 100644 --- a/WooCommerce/Resources/es.lproj/Localizable.strings +++ b/WooCommerce/Resources/es.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 03:51:16+0000 */ +/* Translation-Revision-Date: 2025-10-21 13:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: es */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Notas de la reserva"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "No, quiero mantenerla"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Sí, quiero cancelarla"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ ya no podrá asistir a \"%2$@\" el %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Cancelar reserva"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Dirección de facturación"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Cancelar reserva"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Se ha copiado la dirección de correo electrónico"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Cliente"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Pago"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Emitir reembolso"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Marcar como pagado"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Marcar como reembolsado"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Servicio"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Ver pedido"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Llamar"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Número de teléfono copiado"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Copiar"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "No se ha podido llamar a este número."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Reservada"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Apellido(s)"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Documentación"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Obtener ayuda"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Descubre qué productos son compatibles con el punto de venta"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "¿Dónde están mis productos?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Cancelar"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Ayuda"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Popular"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Se ha cancelado el pago."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "El pago se ha interrumpido y no puede continuar. Puedes reintentar el pago desde la pantalla del pedido."; @@ -6709,21 +6710,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 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$@."; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "No se puede procesar el pago. El importe total del pedido no es válido."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "No se puede procesar el pago. Este pedido ya está pagado, por lo que si se efectuara un pago adicional, se le cobraría al cliente dos veces por su pedido."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "No se puede procesar el pago. No hemos podido conectarnos al sistema de pago. Ponte en contacto con el soporte si el error continúa."; - -/* 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$@"; - /* 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."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Intentar de nuevo"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "No hemos podido encontrar ninguna reserva con ese nombre. Prueba a ajustar el término de búsqueda para ver más resultados."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Error al recuperar las reservas"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Fecha: de más recientes a más antiguas"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Fecha: de más antiguas a más recientes"; + /* Tab title for all bookings */ "bookingListView.all" = "Todas"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Ninguna reserva coincide con tus filtros. Prueba a ajustarlos para ver más resultados."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "No se han encontrado reservas"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "No tienes ninguna cita o evento programado para hoy."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "No hay reservas hoy"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Todavía no tienes programadas ninguna cita o evento en el futuro."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "No hay reservas próximamente"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filtrar"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Buscar en las reservas"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Ordenar por"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Sin pagar"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Invitado"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Reservas"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Suscripción variable"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "En curso"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Cancelar"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "El total del pedido ha cambiado desde el inicio del pago. Vuelve y comprueba que el pedido sea correcto; después, vuelve a intentar el pago."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "El cambio vence el %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Selecciona el producto para la campaña Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Solución de problemas de conexión"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Caducó el %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Dirección"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Aumenta tus ventas"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Comparte tu experiencia en una rápida encuesta de 2 minutos y ayúdanos a mejorar."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "¿Cómo te va con el TPV?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Haz una breve encuesta de 2 minutos para ayudarnos a dar forma a funciones que te encantarán."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "¿Estás pensando en las ventas presenciales?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Las imágenes de tus productos aún se están subiendo en segundo plano. La velocidad de subida puede ser más lenta y puede haber errores. Para obtener los mejores resultados, mantén la aplicación abierta hasta que se complete la subida."; @@ -10310,1164 +10332,9 @@ 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 demasiado corto"; - -/* Error message shown when scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "El escáner no ha enviado ningún carácter de fin de línea"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Solicitud de red fallida"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Sin conexión a Internet"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "No se ha encontrado el producto superior de la variación"; - -/* Error message shown when a scanned item is not found in the store. */ -"pointOfSale.barcodeScan.error.notFound" = "Artículo escaneado desconocido"; - -/* Error message shown when parsing barcode data fails. */ -"pointOfSale.barcodeScan.error.parsingError" = "No se ha podido leer el código de barras"; - -/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ -"pointOfSale.barcodeScan.error.scanFailed" = "Error de escaneado"; - -/* Error message shown when a scanned item is of an unsupported type. */ -"pointOfSale.barcodeScan.error.unsupportedProductType" = "Tipo de artículo no compatible"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Pago cancelado en el lector"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Intentar efectuar el pago de nuevo"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Tarjeta insertada"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Todo listo para el pago"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Conectar tu lector"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Procesando pago"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Cancelar"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Para encender el lector de tarjetas, pulsa el botón de encendido."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Buscando lector"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Nuevo pedido"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Intentar efectuar el pago de nuevo"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Debido a un error de red, no podemos confirmar que el pago se haya realizado correctamente. Verifica el pago en un dispositivo con una conexión de red que funcione. Si no lo consigues, vuelve a intentar realizar el pago. Si lo consigues, inicia un nuevo pedido."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Error de pago"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Volver a la página de pago"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Error de pago"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Prueba otro método de pago"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Intentar efectuar el pago de nuevo"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Si quieres seguir procesando esta transacción, intenta efectuar el pago de nuevo."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Error de pago"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Prueba otro método de pago"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Editar pedido"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Error en la preparación del pago"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Intentar efectuar el pago de nuevo"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Procesando pago"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "En preparación"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Preparando el lector para el pago"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Insertar tarjeta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Presentar tarjeta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Tocar tarjeta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Tocar o insertar tarjeta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Tocar, deslizar o insertar tarjeta"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Listo para el pago"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Lector no conectado"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Para procesar este pago, conecta tu lector o selecciona el pago en efectivo."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Comprobando pedido"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "En preparación"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "El pedido no alcanza la cantidad mínima necesaria para procesar el pago con tarjeta (%1$@). En su lugar, puedes aceptar un pago en efectivo."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "No se puede realizar un pago con tarjeta"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Error al comprobar el pedido"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Intentar de nuevo"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Espera"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Descartar"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Abrir ajustes del dispositivo"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Se necesita permiso para usar el Bluetooth"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Cancelar"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "No hemos podido conectar tu lector"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Volver a intentarlo"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Cancelar"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "El lector tiene muy poca batería. Carga el lector o prueba con otro diferente."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Intentar de nuevo"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "No hemos podido conectar tu lector"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Cancelar"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Abrir ajustes del dispositivo"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Es necesario activar los permisos de los servicios de ubicación para reducir el fraude, evitar discusiones y garantizar pagos seguros."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Para permitir los pagos, activa los servicios de ubicación"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Descartar"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Conexión fallida"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Cancelar"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Introducir dirección"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Inténtalo de nuevo después de actualizar."; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Para proceder, debes corregir la dirección de la tienda."; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Cancelar"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Puedes configurar el código postal o ZIP de la tienda en WP Admin > WooCommerce > Ajustes (General)."; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Inténtalo de nuevo después de actualizar."; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Corrige el código postal o ZIP de la tienda."; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Continuar"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Puedes cambiar esta opción más adelante en los ajustes de la aplicación."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Es necesario activar los permisos de los servicios de ubicación para reducir el fraude, evitar discusiones y garantizar pagos seguros."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Para permitir los pagos, activa los servicios de ubicación"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Por favor, espera"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Conectando con el lector"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Hecho"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Lector conectado"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Cancelar"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Conectar"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Se han encontrado varios lectores"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Buscando lectores"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Cancelar"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Conectar con el lector"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "¿Quieres conectarte a este lector?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Seguir buscando"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "Se ha encontrado %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Cancelar"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "El lector se reiniciará automáticamente y se volverá a conectar cuando se haya completado la actualización."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% completado"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Actualizando el software"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Lo entiendo"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% completado"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Software actualizado"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Cancelar"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Intentar de nuevo"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "No hemos podido actualizar el software de tu lector."; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "No se ha podido actualizar el lector porque la batería está al %.0f%%. Cárgalo e inténtalo de nuevo."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Cancelar"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "No se ha podido actualizar el lector porque tiene poca batería. Cárgalo e inténtalo de nuevo."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Inténtalo de nuevo"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Carga el lector."; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Descartar"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "No hemos podido actualizar el software de tu lector."; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Cancelar igualmente"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Para recibir pagos, debes actualizar el software de tu lector de tarjetas. Si cancelas esta acción, se bloqueará la conexión con el lector."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% completado"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Actualizando el software"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Descartar"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "La conexión del lector ha fallado"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Cerrar"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Debido a un error de red, no sabemos si el pago se ha realizado correctamente."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Comprueba el pedido en un dispositivo con conexión a la red antes de continuar."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Es posible que el pedido no se haya realizado correctamente"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Total: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Pago en efectivo"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Marcar el pago como completo"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Se ha producido un error al procesar el pago. Inténtalo de nuevo."; - -/* A message shown on the coupon if's not valid after attempting to apply it */ -"pointOfSale.couponRow.invalidCoupon" = "Cupón no aplicado"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Configuración inicial del escáner de códigos 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" = "Espera"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Desconectar lector"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Salir del punto de venta"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Conseguir ayuda"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Pedidos"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "¿Dónde están mis productos?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Lector conectado"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Conectar con tu lector"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Desconectando"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Ajustes"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Documentación"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Eliminar"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Cargando"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Editar pedido"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "No se puede aplicar el cupón"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Eliminar cupón"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Eliminar cupones"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "No se han podido cargar los totales"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Intentar de nuevo"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Se ha efectuado correctamente un pago con tarjeta de %1$@."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Se ha efectuado correctamente un pago en efectivo de %1$@."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Pago correcto"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Enviar"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Enviar recibo por correo electrónico"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Introduce una dirección de correo electrónico válida."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Se ha producido un error al intentar enviar este correo electrónico. Vuelve a intentarlo."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Introducir el correo electrónico"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Cancelar"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Cancelar"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Desconocido"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Obtén más información sobre aceptar pagos a través de móviles"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Documentación"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Lector no conectado"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Lectores de tarjetas"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Configura los ajustes del escáner de códigos de barras"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Escáneres de códigos de barras"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Gestiona las conexiones del lector de tarjetas"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Lectores de tarjetas"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hardware"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Batería"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modelo"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Obtén más información sobre el escaneo de códigos de barras en el punto de venta"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Documentación"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Configura y prueba tu escáner de códigos de barras"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Configuración del escáner"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Escáneres de códigos de barras"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Sin definir"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Dirección"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "Correo electrónico"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Sin definir"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Número de teléfono"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Dirección física"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Información del recibo"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Nombre de la tienda"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Política de devoluciones y reembolsos"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Información de la tienda"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Nombre de la tienda"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Tienda"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Ajustes"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Gestiona las conexiones de hardware"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hardware"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Obtén ayuda y soporte"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Ayuda"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Gestionar los ajustes del catálogo"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Catálogo"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Configuración y ajustes de la tienda"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Tienda"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Escaneado de códigos de barras"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Revisa tu escáner de códigos de barras en los ajustes de Bluetooth de iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Primero: Revisa tu escáner de códigos de barras en los ajustes de Bluetooth de iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Puedes escanear códigos de barras con un escáner externo para crear rápidamente un carrito."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Escanea códigos de barras mientras estás en la lista de artículos para añadir productos al carrito."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Segundo: Escanea códigos de barras mientras estás en la lista de artículos para añadir productos al carrito."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Asegúrate de que el campo de búsqueda no está habilitado al escanear códigos de barras."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Tercero: Asegúrate de que el campo de búsqueda no está habilitado al escanear códigos de barras."; - -/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ -"pos.barcodeInfoModal.introMessage" = "Puedes escanear códigos de barras con un escáner externo para crear rápidamente un carrito."; - -/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ -"pos.barcodeInfoModal.moreDetailsLink" = "Más detalles."; - -/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ -"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Más detalles, enlace."; - -/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ -"pos.barcodeInfoModal.primaryMessage" = "• Configura códigos de barras en el campo «GTIN, UPC, EAN, ISBN» de Productos > Detalles del producto > Inventario. "; - -/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.primaryMessage.accessible" = "Primero: configura códigos de barras en el campo «G-T-I-N, U-P-C, E-A-N, I-S-B-N» desplazándote a Productos, luego Detalles del producto y, luego, Inventario."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "consulta la documentación"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Puedes configurar códigos de barras en el campo «GTIN, UPC, EAN, ISBN» en la pestaña del inventario del producto. Para obtener más información, %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Puedes configurar códigos de barras en el campo «G-T-I-N, U-P-C, E-A-N, I-S-B-N» en la pestaña del inventario del producto. Para obtener más información, consulta la documentación, enlace."; - -/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ -"pos.barcodeInfoModal.quaternaryMessage" = "• Escanea los códigos de barras mientras estás en la lista de artículos para añadir productos al carrito."; - -/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Cuarto: escanea los códigos de barras mientras estás en la lista de artículos para añadir productos al carrito."; - -/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ -"pos.barcodeInfoModal.quinaryMessage" = "El escáner emula un teclado, por lo que a veces evitará que se muestre el teclado del software, por ejemplo, en búsquedas. Toca el icono del teclado para que se muestre de nuevo."; - -/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ -"pos.barcodeInfoModal.secondaryMessage.2" = "• Consulta las instrucciones del escáner de códigos de barras Bluetooth para configurar el modo HID. Normalmente, esto requiere que escanees un código de barras especial del manual."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Segundo: consulta las instrucciones del escáner de códigos de barras Bluetooth para configurar el modo H-I-D. Normalmente, esto requiere que escanees un código de barras especial del manual."; - -/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ -"pos.barcodeInfoModal.tertiaryMessage" = "• Conecta tu escáner de códigos de barras en los ajustes de Bluetooth de iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Tercero: conecta tu escáner de códigos de barras en los ajustes de Bluetooth de iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Volver"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Imagen de un código que se va a escanear con un escáner de código de barras."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Ya tienes todo listo para empezar a escanear productos. La próxima vez que necesites conectar el escáner, solo tienes que encenderlo y se volverá a conectar automáticamente."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "¡Escáner configurado!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Hecho"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Volver"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Consulta el manual del escáner y restablece los ajustes de fábrica. A continuación, vuelve a intentar el proceso de configuración."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Reintentar"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Se ha encontrado un problema en el escaneo"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Utiliza el escáner de códigos de barras para escanear el código siguiente y activar el modo Bluetooth HID."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Siguiente"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Otros"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Utiliza tu escáner de códigos de barras para escanear el código de abajo y que entre en modo emparejamiento."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Habilita el Bluetooth y elige el escáner %1$@ en los ajustes de Bluetooth de iOS. El escáner emitirá un pitido y mostrará una luz LED fija cuando se empareje."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Ir a los ajustes de tu dispositivo"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Emparejar el escáner"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Cómo configurar códigos de barras en los productos"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Cómo configurar códigos de barras en los productos"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Configuración del escáner"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Configuración del escáner"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Otro escáner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Configura un escáner de códigos de barras"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Elige un modelo de la lista:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Escanea el código de barras para probar tu escáner."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Escanea el código de barras para probar tu escáner. Si el problema persiste, comprueba los ajustes de Bluetooth e inténtalo de nuevo."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Aún no se han encontrado datos de escaneo"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Prueba tu escáner"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Toca un producto para \n añadirlo al carrito"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Toca un producto para \n añadirlo al carrito, o bien "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Carrito"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Escanear código de barras"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Finalizar compra"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Borrar carrito"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Sin conexión a Internet"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Cancelar"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Crear cupón"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Se perderán los pedidos en curso."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Salir"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "¿Salir del modo de punto de venta?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Salir de POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Activar la función POS"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Reintentar"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Point of Sale debe estar habilitado para continuar. Habilita la función POS más abajo o desde tu administrador de WordPress en Ajustes de WooCommerce > Ajustes avanzados > Funciones, e inténtalo de nuevo."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Prueba a reiniciar la aplicación para resolver este problema."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "No hemos podido cargar la información de los ajustes del sitio. Revisa tu conexión a Internet e inténtalo de nuevo. Si el problema continúa, ponte en contacto con el servicio de soporte para obtener ayuda."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "El sistema de POS no está disponible para la moneda de tu tienda. En %1$@, en estos momentos solo se admiten %2$@. Comprueba los ajustes de moneda de tu tienda o ponte en contacto con el servicio de soporte para obtener ayuda."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Tu versión de WooCommerce no es compatible. El sistema POS requiere la versión %1$@ de WooCommerce o una superior. Actualiza WooCommerce a la última versión."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "No hemos podido cargar la información del plugin WooCommerce. Asegúrate de que el plugin WooCommerce está instalado y activado desde tu administrador de WordPress. Si todavía hay algún problema, ponte en contacto con el servicio de soporte para obtener ayuda."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "No se puede cargar"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Revisa tu conexión a Internet e inténtalo de nuevo."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "No se pueden activar los cupones"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "No se pueden cargar más cupones"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "No se pueden cargar más productos"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "No se pueden cargar los productos"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "No se pueden cargar más variaciones"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "No se pueden cargar las variaciones"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "No se pueden actualizar los cupones"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Inténtalo de nuevo."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Activar cupones"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Activa los códigos de cupones en tu tienda para empezar a crear cupones para tus clientes."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Empieza a aceptar cupones"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "No se pueden cargar los cupones"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Reintentar"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Productos"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Buscar cupones"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Buscar productos"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Búsqueda"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Cupones"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Productos"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Buscar en tu tienda"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Productos populares"; - -/* 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"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Cerrar"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Estado del pedido: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "No hay ningún pedido que mostrar"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Pedido"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Productos"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totales"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Descuento total: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Descuento total"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Toca para enviar el recibo del pedido por correo electrónico"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Enviar recibo por correo electrónico"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Fecha del pedido: %1$@, estado: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Correo electrónico del cliente: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Pago neto: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Pago neto"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Total pagado: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Método de pago: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Total pagado"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Cantidad: %1$@ a %2$@ cada uno, total %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Productos"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Productos"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Motivo: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Reembolsado: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Motivo: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Reembolsado"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Subtotal de productos: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Impuestos: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Impuestos"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Total del pedido: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Total"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totales"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "No se pueden cargar más pedidos"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "No se pueden cargar los pedidos"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Actualizar"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Prueba a modificar tu término de búsqueda."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "No se ha podido encontrar nada que coincida con tu búsqueda."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "No se han encontrado pedidos"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Los pedidos aparecerán aquí cuando empieces a procesar las ventas en el TPV."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "No hay ningún pedido aún"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Toca para ver los detalles del pedido"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Pedido n.º %1$@, Total %2$@, %3$@, Estado: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "Correo electrónico: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "n.º %1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Pedidos"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Buscar pedidos"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Buscar pedidos"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Opciones disponibles"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "No hemos podido encontrar ningún cupón con ese nombre. Prueba a ajustar el término de búsqueda."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Los cupones pueden ser una forma eficaz de mejorar las ventas. ¿Te gustaría crear uno?"; - -/* Text appearing on the coupon list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "No se han encontrado cupones"; - -/* Text for the button appearing on the products list screen when there are no products found. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Actualizar"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Para añadir uno, sal del TPV y ve a Productos."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "No se pueden buscar nombres de variaciones, así que usa el nombre del producto principal."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "No hemos podido encontrar ningún producto que coincida. Prueba a ajustar el término de búsqueda."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "No se han encontrado productos"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "El TPV solo admite productos simples y variables."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "No se han encontrado productos compatibles"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Para añadir una, sal del TPV y edita este producto en la pestaña Productos."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "El TPV solo es compatible con variaciones habilitadas y no descargables."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "No se han encontrado variaciones compatibles"; - -/* Text for the button appearing on the coupons list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Crear cupón"; - -/* Title for the OK button on the pos information modal */ -"pos.posInformationModal.ok.button.title" = "Aceptar"; - -/* Accessibility label for the clear button in the Point of Sale search screen. */ -"pos.searchview.searchField.clearButton.accessibilityLabel" = "Borrar la búsqueda"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Crear un pedido en la gestión de la tienda"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Para aceptar el pago de un producto no compatible, sal del TPV y crea un nuevo pedido desde la pestaña de pedidos."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Otros tipos de productos estarán disponibles en futuras actualizaciones."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "En estos momentos, solo se pueden utilizar productos simples y variables no descargables con el TPV."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "¿Por qué no puedo ver mis productos?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ disponibles"; - -/* Label to be displayed in the product's card when out of stock */ -"pos.stockStatusLabel.outofstock" = "Sin existencias"; - /* Title for the Point of Sale tab. */ "pos.tab.title" = "TPV"; -/* Button title for new order button */ -"pos.totalsView.button.newOrder" = "Nuevo pedido"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Enviar recibo por correo electrónico"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Pago en efectivo"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Descuento total"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Subtotal"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Impuestos"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Total"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Ajusta la división de la pantalla para que el punto de venta tenga más espacio."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "El punto de venta no se puede visualizar con este ancho de pantalla."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Permitir la actualización completa con datos móviles"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Tamaño del catálogo"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Estado del catálogo"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Última actualización completa"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Última actualización"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Gestionar el uso de datos"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Actualización manual del catálogo"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Utiliza esta actualización solo cuando algo parezca no funcionar bien: los datos del TPV se mantienen actualizados automáticamente."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Actualizar catálogo"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Ajustes del catálogo"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d productos, %2$ld variaciones"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Tamaño del catálogo no disponible"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Sin actualizar"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Fecha de actualización no disponible"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Cerrar"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Point of Sale"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Pago web"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Cancelar"; diff --git a/WooCommerce/Resources/fr.lproj/Localizable.strings b/WooCommerce/Resources/fr.lproj/Localizable.strings index 71156eafe83..d21845521ed 100644 --- a/WooCommerce/Resources/fr.lproj/Localizable.strings +++ b/WooCommerce/Resources/fr.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-08 09:54:12+0000 */ +/* Translation-Revision-Date: 2025-10-21 15:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: fr */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Notes de réservation"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Non, la garder"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Oui, l’annuler"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ ne pourra plus assister à « %2$@ » le %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Annuler la réservation"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Adresse de facturation"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Annuler la réservation"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Adresse e-mail copiée"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Client"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Paiement"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Effectuer le remboursement"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Marquer comme payée"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Marquer comme remboursée"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Service"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Voir la commande"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Appeler"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Numéro de téléphone copié"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Copier"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Impossible d’appeler ce numéro."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Réservé"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Nom"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Extensions"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Documentation"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Obtenir de l’aide"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Découvrez quels produits sont pris en charge dans le PDV"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Où sont mes produits ?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Annuler"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Aide"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Popularité"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Le paiement a été annulé."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Le paiement a été interrompu et ne peut pas se poursuivre. Vous pouvez retenter de procéder au paiement sur l’écran de commande."; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Impossible de traiter le paiement. Le montant total de la commande n’est pas valide."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Impossible de traiter le paiement. Cette commande étant déjà payée, un paiement supplémentaire se traduirait par sa double facturation au client."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Impossible de traiter le paiement. Nous n’avons pas pu nous connecter au système de paiement. Si le problème persiste, contactez l’assistance."; - -/* 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$@"; - /* 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."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Réessayer"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Nous n’avons trouvé aucune réservation avec ce nom. Essayez d’ajuster votre terme de recherche pour voir plus de résultats."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Erreur lors de l’extraction des réservations…"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Date : Des plus récentes aux plus anciennes"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Date : Des plus anciennes aux plus récentes"; + /* Tab title for all bookings */ "bookingListView.all" = "Tout"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Aucune réservation ne correspond à vos filtres. Essayez de les ajuster pour voir plus de résultats."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Aucune réservation trouvée"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Vous n’avez aucun rendez-vous ou événement planifié pour aujourd’hui."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Aucune réservation aujourd’hui"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Vous n’avez pas encore de rendez-vous ou d’événements planifiés."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Aucune réservation à venir"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filtrer"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Chercher dans les réservations"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Trier par"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Non payée"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Invité"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Réservations"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Abonnement variable"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "En cours"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Annuler"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Le total de la commande a changé depuis l’initiation du paiement. Veuillez revenir en arrière, vérifier l’exactitude la commande puis retenter le paiement."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Rendu : %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Sélectionnez un produit pour la campagne Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Connexion à la résolution de problème"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Expiration le %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Adresse"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Dynamisez vos ventes"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Partagez votre expérience dans un rapide sondage de 2 minutes et aidez-nous à nous améliorer."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Comment fonctionne le PDV pour vous ?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Répondez à un rapide sondage de 2 minutes pour nous aider à façonner les fonctionnalités que vous allez adorer."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Vous pensez à des ventes en personne ?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Vos images de produit sont toujours en cours de chargement en arrière-plan. Il se peut que la vitesse de chargement soit plus lente et des erreurs pourraient se produire. Pour de meilleurs résultats, veuillez garder l’application ouverte jusqu’à ce que les chargements soient terminés."; @@ -10310,1164 +10332,9 @@ which should be translated separately and considered part of this sentence. */ /* Title for the Plugin List view. */ "pluginListView.title.plugins" = "Extensions"; -/* Error message shown when scan is too short. */ -"pointOfSale.barcodeScan.error.barcodeTooShort" = "Code-barres trop court"; - -/* Error message shown when scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Le scanner n’a pas envoyé de caractère de fin de ligne"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Échec de la demande réseau"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Aucune connexion internet"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Produit parent introuvable pour la variante"; - -/* Error message shown when a scanned item is not found in the store. */ -"pointOfSale.barcodeScan.error.notFound" = "Article scanné inconnu"; - -/* Error message shown when parsing barcode data fails. */ -"pointOfSale.barcodeScan.error.parsingError" = "Impossible de lire le code-barres"; - -/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ -"pointOfSale.barcodeScan.error.scanFailed" = "Échec de l’analyse"; - -/* Error message shown when a scanned item is of an unsupported type. */ -"pointOfSale.barcodeScan.error.unsupportedProductType" = "Type d’article non pris en charge"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Paiement annulé sur le lecteur"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Réessayer d’effectuer le paiement"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Carte insérée"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Prêt pour le paiement"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Connecter votre lecteur"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Traitement du paiement"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Annuler"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Pour allumer votre lecteur de carte, appuyez brièvement sur son bouton d’alimentation."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Recherche du lecteur"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Nouvelle commande"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Réessayer d’effectuer le paiement"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "En raison d’une erreur de réseau, nous ne sommes pas en mesure de confirmer que le paiement a bien été effectué. Vérifiez le paiement sur un appareil disposant d’une connexion au réseau fonctionnelle. En cas d’échec, réessayez le paiement. Dans le cas contraire, commencez une nouvelle commande."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Erreur de paiement"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Retour à la validation de la commande"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Échec du paiement"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Essayer un autre moyen de paiement"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Réessayer d’effectuer le paiement"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Si vous souhaitez poursuivre le traitement de cette transaction, veuillez réessayer le paiement."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Échec du paiement"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Essayer un autre moyen de paiement"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Modifier la commande"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Erreur de préparation du paiement"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Réessayer d’effectuer le paiement"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Traitement du paiement"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Préparation"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Préparation du lecteur pour le paiement"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Insérer la carte"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Présenter la carte"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Appuyer la carte"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Appuyer ou insérer la carte"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Appuyer, glisser ou insérer la carte"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Prêt pour le paiement"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Lecteur non connecté"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Pour traiter ce paiement, veuillez connecter votre lecteur ou choisissez le paiement en espèces."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Vérification de la commande"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Préparation"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Le total de la commande est inférieur au montant minimum que vous pouvez facturer par carte, à savoir %1$@. Vous pouvez accepter un paiement en espèces à la place."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Impossible d’accepter le payement par carte"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Erreur lors de la vérification de la commande"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Réessayer"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Veuillez patienter"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Ignorer"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Accéder aux paramètres système"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Autorisation Bluetooth requise"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Annuler"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Nous n’avons pas pu connecter votre lecteur"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Réessayer"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Annuler"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "La batterie du lecteur est très faible. Veuillez le charger ou en utiliser un autre."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Réessayer"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Nous n’avons pas pu connecter votre lecteur"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Annuler"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Accéder aux paramètres système"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Les droits d’accès aux services de localisation sont obligatoires pour réduire les fraudes, prévenir les litiges et assurer la sécurité des paiements."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Activer les services de localisation pour autoriser les paiements"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Ignorer"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Échec de la connexion"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Annuler"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Entrer l’adresse"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Réessayer après la mise à jour"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Veuillez corriger l’adresse de votre boutique pour continuer"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Annuler"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Vous pouvez définir le code postal de votre boutique dans wp-admin > WooCommerce > Réglages (Général)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Réessayer après la mise à jour"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Veuillez corriger le code postal de votre boutique"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Continuer"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Vous pourrez changer cette option plus tard dans les réglages de l’application."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Les droits d’accès aux services de localisation sont obligatoires pour réduire les fraudes, prévenir les litiges et assurer la sécurité des paiements."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Activer les services de localisation pour autoriser les paiements"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Veuillez patienter…"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Connexion au lecteur"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Terminé"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Lecteur connecté"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Annuler"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Connexion"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Plusieurs lecteurs trouvés"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Recherche de lecteurs"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Annuler"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Se connecter au lecteur"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Voulez-vous vous connecter à ce lecteur ?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Continuer la recherche"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ trouvé"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Annuler"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Votre lecteur redémarrera et se reconnectera automatiquement une fois la mise à jour terminée."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% terminé"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Mise à jour du logiciel"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Je comprends"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% terminé"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Logiciel mis à jour"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Annuler"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Réessayer"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Nous n’avons pas pu mettre à jour le logiciel de votre lecteur"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Une mise à jour du lecteur a échoué car sa batterie est chargée à %.0f %%. Veuillez charger le lecteur et réessayer."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Annuler"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Une mise à jour du lecteur a échoué car sa batterie est faible. Veuillez charger le lecteur et réessayer."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Réessayer"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Veuillez charger le lecteur"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Ignorer"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Nous n’avons pas pu mettre à jour le logiciel de votre lecteur"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Annuler quand même"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Le logiciel de votre lecteur de carte doit être mis à jour pour percevoir les paiements. L’annulation bloquera la connexion de votre lecteur."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% terminé"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Mise à jour du logiciel"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Ignorer"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Échec de la connexion au lecteur"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Fermer"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "En raison d’une erreur de réseau, nous ne sommes pas en mesure de savoir si le paiement a bien été effectué."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Veuillez revérifier la commande sur un appareil disposant d’une connexion au réseau avant de poursuivre."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Échec possible de la commande"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Total : %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Paiement en espèces"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Marquer le paiement comme terminé"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Erreur lors de la tentative de traitement du paiement. Veuillez réessayer."; - -/* A message shown on the coupon if's not valid after attempting to apply it */ -"pointOfSale.couponRow.invalidCoupon" = "Code promo non appliqué"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Configuration initiale du scanner de code-barres"; - -/* 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" = "Veuillez patienter"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Déconnecter le lecteur"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Quitter le PDV"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Obtenir de l’aide"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Commandes"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Où sont mes produits ?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Lecteur connecté"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Connecter votre lecteur"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Déconnexion"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Réglages"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Documentation"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Supprimer"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "En cours de chargement…"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Modifier la commande"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Impossible d’appliquer le code promo"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Supprimer le code promo"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Supprimer les codes promo"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Impossible de charger les totaux"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Réessayer"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Un paiement de %1$@ par carte a été effectué avec succès."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Un paiement de %1$@ en espèces a été effectué avec succès."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Paiement réussi"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Envoyer"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Reçu par e-mail"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Veuillez saisir une adresse e-mail valide."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Erreur lors de la tentative d’envoi de cet e-mail. Veuillez réessayer."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Saisir l’adresse e-mail"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Annuler"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Annuler"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Inconnu"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "En savoir plus sur l’acceptation des paiements mobiles"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Documentation"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Lecteur non connecté"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Lecteurs de carte"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Configurer les réglages du scanner de codes-barres"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Scanners de code-barres"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Gérer les connexions du lecteur de carte"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Lecteurs de carte"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Matériel"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Batterie"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modèle"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "En savoir plus sur la lecture de codes-barres dans le PDV"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Documentation"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Configurer et tester votre scanner de codes-barres"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Configuration du scanner"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Scanners de code-barres"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Non défini"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Adresse"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-mail"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Non défini"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Numéro de téléphone"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Adresse physique"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Informations sur le reçu"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Nom de la boutique"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Politique en matière de remboursements et de retours"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Informations de la boutique"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Nom de la boutique"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Boutique"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Réglages"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Gérer les connexions matérielles"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Matériel"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Obtenir de l’aide et de l’assistance"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Aide"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Gérer les réglages du catalogue"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Catalogue"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Réglages et configuration de la boutique"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Boutique"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Lecture de code-barres"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Connectez votre scanner de code-barres bluetooth dans les réglages Bluetooth d’iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Premièrement : connectez votre scanner de code-barres bluetooth dans les réglages Bluetooth d’iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Vous pouvez scanner les codes-barres à l’aide d’un scanner externe pour créer rapidement un panier."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Scannez les codes-barres lorsque vous êtes sur la liste d’articles pour ajouter des produits au panier."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Deuxièmement : scannez les codes-barres lorsque vous êtes sur la liste d’articles pour ajouter des produits au panier."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Vérifiez que le champ de recherche n’est pas activé lors de la lecture des codes-barres."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Troisièmement : vérifiez que le champ de recherche n’est pas activé lors de la lecture des codes-barres."; - -/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ -"pos.barcodeInfoModal.introMessage" = "Vous pouvez scanner les codes-barres à l’aide d’un scanner externe pour créer rapidement un panier."; - -/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ -"pos.barcodeInfoModal.moreDetailsLink" = "Plus de détails."; - -/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ -"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Plus de détails, lien."; - -/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ -"pos.barcodeInfoModal.primaryMessage" = "• Configurez des codes-barres dans le champ « GTIN, UPC, EAN, ISBN » dans Produits > Détails du produit > Inventaire. "; - -/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.primaryMessage.accessible" = "Premièrement : configurez des codes-barres dans le champ « G-T-I-N, U-P-C, E-A-N, I-S-B-N » dans Produits > Détails du produit > Inventaire."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "consulter la documentation"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Vous pouvez configurer des codes-barres dans le champ GTIN, UPC, EAN, ISBN dans l’onglet d’inventaire du produit. Pour plus de détails %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Vous pouvez configurer des codes-barres dans le champ G-T-I-N, U-P-C, E-A-N, I-S-B-N dans l’onglet d’inventaire du produit. Pour plus de détails, consultez la documentation, lien."; - -/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ -"pos.barcodeInfoModal.quaternaryMessage" = "• Scannez les codes-barres lorsque vous êtes sur la liste d’articles pour ajouter des produits au panier."; - -/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Quatrièmement : scannez les codes-barres lorsque vous êtes sur la liste d’articles pour ajouter des produits au panier."; - -/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ -"pos.barcodeInfoModal.quinaryMessage" = "Le scanner émule un clavier, il empêche donc parfois le clavier logiciel de s’afficher, par exemple dans la recherche. Appuyez sur l’icône du clavier pour le réafficher."; - -/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ -"pos.barcodeInfoModal.secondaryMessage.2" = "• Reportez-vous au mode d’emploi de votre scanner de code-barres Bluetooth pour configurer le mode HID. Cela nécessite généralement de scanner un code-barres spécifique dans le manuel."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Deuxièmement : reportez-vous au mode d’emploi de votre scanner de code-barres Bluetooth pour configurer le mode H-I-D. Cela nécessite généralement de scanner un code-barres spécifique dans le manuel."; - -/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ -"pos.barcodeInfoModal.tertiaryMessage" = "• Connectez votre scanner de code-barres dans les réglages Bluetooth d’iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Troisièmement : connectez votre scanner de code-barres dans les réglages Bluetooth d’iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Retour"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Image d’un code à scanner avec un lecteur de code-barres."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Vous êtes prêt(e) à commencer à scanner des produits. La prochaine fois que vous devrez connecter votre scanner, il suffira de l’activer et il se reconnectera automatiquement."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Scanner configuré !"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Terminé"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Retour"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Veuillez consulter le manuel du scanner et le réinitialiser aux réglages d’usine, puis réessayez le flux de configuration."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Réessayer"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Problème de lecture détecté"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Utilisez votre scanner de code-barres pour scanner le code ci-dessous afin d’activer le mode Bluetooth HID."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Suivant"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Autre"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Utilisez votre scanner de code-barres pour scanner le code ci-dessous et entrer en mode d’appairage."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Activez le Bluetooth et sélectionnez votre scanner %1$@ dans les réglages Bluetooth iOS. Le scanner émettra un bip et affichera un voyant LED lorsqu’il sera appairé."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Accéder aux réglages de votre appareil"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Appairer votre scanner"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Comment configurer des codes-barres sur des produits"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Comment configurer des codes-barres sur des produits"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Configuration du scanner"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Configuration du scanner"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Autre scanner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Configurer un scanner de codes-barres"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Sélectionner un modèle dans la liste :"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Scannez le code-barres pour tester votre scanner."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Scannez le code-barres pour tester votre scanner. Si le problème persiste, veuillez vérifier les réglages Bluetooth et réessayer."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Aucune donnée de lecture trouvée pour le moment"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Tester votre scanner"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Appuyer sur un produit pour \n l’ajouter au panier"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Appuyer sur un produit pour \n l’ajouter au panier, ou "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Panier"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Scanner le code-barres"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Découvrir"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Effacer le panier"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Aucune connexion internet"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Annuler"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Créer un code promo"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Toutes les commandes en cours seront perdues."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Quitter"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Quitter le mode point de vente ?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Quitter le PDV"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Activer la fonctionnalité PDV"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Réessayer"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Point de vente doit être activé pour continuer. Veuillez activer la fonctionnalité PDV sous ou depuis votre interface d’administration WordPress dans Réglages WooCommerce > Avancé > Fonctionnalités et réessayer."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Essayez de relancer l’application pour résoudre ce problème."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Impossible de charger les informations de réglages du site. Veuillez vérifier votre connexion internet et réessayer. Si le problème persiste, veuillez contacter l’assistance."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Le système PDV n’est pas disponible pour la devise de votre boutique. %1$@, il ne prend actuellement en charge que %2$@. Veuillez vérifier les réglages de devise de votre boutique ou contacter l’assistance pour obtenir de l’aide."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Votre version de WooCommerce n’est pas prise en charge. Le système PDV nécessite WooCommerce version %1$@ ou supérieure. Veuillez procéder à la mise à jour de WooCommerce vers la dernière version."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Impossible de charger les informations de l’extension WooCommerce. Veuillez vous assurer que l’extension WooCommerce est installée et activée dans votre interface d’administration WordPress. Si le problème persiste, contactez l’assistance pour obtenir de l’aide."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Chargement impossible"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Veuillez vérifier votre connexion internet et réessayer."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Impossible d’activer les codes promo"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Impossible de charger d’autres codes promo"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Impossible de charger d’autres produits"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Impossible de charger les produits"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Impossible de charger d’autres variantes"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Impossible de charger les variantes"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Impossible d’actualiser les codes promo"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Veuillez réessayer."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Activer les codes promo"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Activez les codes promo dans votre boutique pour commencer à les créer pour vos clients."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Commencer à accepter les codes promo"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Impossible de charger les codes promo"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Réessayer"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Produits"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Rechercher des codes promo"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Rechercher des produits"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Rechercher"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Codes promo"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Produits"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Rechercher dans votre boutique"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Produits populaires"; - -/* 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"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Ignorer"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "État de la commande : %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Aucune commande à afficher"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Commande"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Produits"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totaux"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Remise totale : %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Remise totale"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Appuyer pour envoyer le reçu de commande par e-mail"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Reçu par e-mail"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Date de commande : %1$@, État : %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "E-mail du client : %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Paiement net : %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Paiement net"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Total des paiements : %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Moyen de paiement : %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Total payé"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Quantité : %1$@ à %2$@ chacun, Total %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Produits"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Produits"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Motif : %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Remboursée : %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Raison : %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Remboursée"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Sous-total des produits : %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Taxes : %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Taxes"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Total de la commande : %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Total"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totaux"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Impossible de charger plus de commandes"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Impossible de charger les commandes"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Actualiser"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Essayez d’ajuster votre terme de recherche."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Nous n’avons trouvé aucune commande correspondant à votre recherche."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Aucune commande trouvée"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Les commandes apparaîtront ici une fois que vous aurez commencé à traiter les ventes sur le PDV."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Aucune commande pour le moment"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Appuyez pour afficher les détails de la commande"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Commande nº %1$@, Total %2$@, %3$@, État : %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-mail : %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Commandes"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Rechercher des commandes"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Rechercher des commandes"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Options disponibles"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Nous n’avons trouvé aucun code promo avec ce nom. Essayez d’ajuster votre terme de recherche."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Les codes promo peuvent être un moyen efficace de stimuler l’activité. Souhaitez-vous en créer un ?"; - -/* Text appearing on the coupon list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Aucun code promo trouvé"; - -/* Text for the button appearing on the products list screen when there are no products found. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Actualiser"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Pour en ajouter un, quittez le PDV et accédez à Produits."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Les noms de variantes ne peuvent pas faire l’objet d’une recherche, utilisez donc le nom du produit parent."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Nous n’avons trouvé aucun produit correspondant. Essayez d’ajuster votre terme de recherche."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Aucun produit trouvé"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "Le PDV ne prend actuellement en charge que des produits simples et variables."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Aucun produit pris en charge trouvé"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Pour en ajouter une, quittez le PDV et modifiez ce produit dans l’onglet Produits."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "Le PDV prend uniquement en charge les variantes activées non téléchargeables."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Aucune variante prise en charge trouvée"; - -/* Text for the button appearing on the coupons list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Créer un code promo"; - -/* 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" = "Supprimer la recherche"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Créer une commande dans la gestion de la boutique"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Pour accepter un paiement pour un produit non pris en charge, quittez le PDV et créez une nouvelle commande depuis l’onglet Commandes."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "D’autres types de produits seront disponibles dans les prochaines mises à jour."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Seuls les produits non téléchargeables simples et variables peuvent être utilisés actuellement avec le PDV."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Pourquoi ne puis-je pas voir mes produits ?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ en stock"; - -/* Label to be displayed in the product's card when out of stock */ -"pos.stockStatusLabel.outofstock" = "Rupture de stock"; - /* Title for the Point of Sale tab. */ "pos.tab.title" = "Point de vente"; -/* Button title for new order button */ -"pos.totalsView.button.newOrder" = "Nouvelle commande"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Reçu par e-mail"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Paiement en espèces"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Remise totale"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Sous-total"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Taxes"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Total"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Veuillez ajuster le partage d’écran pour donner plus d’espace au Point de vente."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Point de vente n’est pas pris en charge sur les écrans de cette taille."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Autoriser la mise à jour complète sur les données cellulaires"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Taille du catalogue"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "État du catalogue"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Dernière mise à jour complète"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Dernière mise à jour"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Gestion de l’utilisation des données"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Mise à jour manuelle du catalogue"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Utilisez cette actualisation uniquement lorsque quelque chose semble désactivé – le PDV maintient les données à jour automatiquement."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Actualiser le catalogue"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Réglages du catalogue"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d produits, %2$ld variantes"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Taille du catalogue indisponible"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Non mis à jour"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Date de mise à jour indisponible"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Fermer"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Point de vente"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Validation de la commande sur le Web"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Annuler"; diff --git a/WooCommerce/Resources/he.lproj/Localizable.strings b/WooCommerce/Resources/he.lproj/Localizable.strings index 9155c8e0995..a8de0dde2b9 100644 --- a/WooCommerce/Resources/he.lproj/Localizable.strings +++ b/WooCommerce/Resources/he.lproj/Localizable.strings @@ -910,9 +910,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "לסמן כ'שולמה'"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "לסמן כ'החזר כספי הונפק'"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "שירות"; @@ -3285,9 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "שם משפחה"; -/* 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" = "להשיק את החנות שלך"; @@ -4512,26 +4506,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "תוספים"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "תיעוד"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "לקבלת תמיכה"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "לקבל מידע לגבי המוצרים הנתמכים ב-POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "היכן המוצרים שלי?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "לבטל"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "עזרה"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "פופולארי"; @@ -6141,9 +6115,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "אמצעי התשלום אינו תומך בהחזרים כספיים אוטומטיים. יש להשלים את ההחזר הכספי על-ידי העברה ידנית ללקוח."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "התשלום הזה בוטל."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "תהליך התשלום נקטע ואין אפשרות להמשיך בו. אפשר לנסות לבצע את התשלום ממסך ההזמנה."; @@ -6709,21 +6680,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "אין אפשרות לעבד את התשלום. השדה 'הסכום הכולל של ההזמנה' לא תקין."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "אין אפשרות לעבד את התשלום. ההזמנה הזאת כבר שולמה – אם ייגבה תשלום נוסף, הלקוח יחויב פעמיים עבור ההזמנה שביצע."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "אין אפשרות לעבד את התשלום. מצטערים, לא הצלחנו להתחבר אל מערכת התשלומים. יש לפנות לתמיכה אם השגיאה ממשיכה להופיע."; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "לא ניתן לקרוא את אתר WordPress בכתובת URL זו. יש להקיש על 'נדרשת עזרה נוספת?' כדי להציג את השאלות הנפוצות."; @@ -8718,9 +8674,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "מינוי משתנה"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "בתהליך"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "ביטול"; @@ -8848,12 +8801,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "סך כל ההזמנה שונה מתחילת תהליך התשלום. יש לחזור אחורה ולוודא שפרטי ההזמנה נכונים ולנסות לשלם שוב."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "העודף הנדרש: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "בוחר מוצר לקמפיין של Blaze."; @@ -8947,9 +8894,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "פתרון בעיות לחיבור"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "פג תוקף מתאריך %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "כתובת"; @@ -10310,1164 +10254,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "הסורק לא שלח תו של סוף שורה"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "בקשת הרשת נכשלה"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "אין חיבור אינטרנט"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "מוצר האב לא נמצא עבור הסוג"; - -/* 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" = "סוג פריט לא נתמך"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "התשלום בוטל דרך הקורא"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "לנסות את התשלום שוב"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "הכרטיס הוכנס"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "מוכן לתשלום"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "לחבר את הקורא"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "מעבד תשלום"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "ביטול"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "כדי להפעיל את קורא הכרטיסים, יש ללחוץ לחיצה קצרה על כפתור ההפעלה שלו."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "המערכת סורקת כדי לאתר קורא"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "הזמנה חדשה"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "לנסות את התשלום שוב"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "עקב שגיאת רשת, אנחנו לא יכולים לאשר שהתשלום בוצע בהצלחה. עליך לאמת את התשלום במכשיר עם חיבור פעיל לרשת. אם הפעולה לא הצליחה, יש לנסות את התשלום שוב. אם הפעולה הצליחה, יש ליצור הזמנה חדשה."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "שגיאת תשלום"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "לחזור לתשלום בקופה"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "התשלום נכשל"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "לנסות אמצעי תשלום אחר"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "לנסות את התשלום שוב"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "אם ברצונך להמשיך לעבד את העסקה, יש לנסות לגבות את התשלום שוב."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "התשלום נכשל"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "לנסות אמצעי תשלום אחר"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "עריכת הזמנה"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "שגיאה בהכנת התשלום"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "לנסות את התשלום שוב"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "מעבד תשלום"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "מתכוננים…"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "מכין את קורא הכרטיסים לתשלום"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "יש להכניס את הכרטיס"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "יש להציג את הכרטיס"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "יש להצמיד את הכרטיס"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "יש להצמיד או להכניס את הכרטיס"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "יש להצמיד, להעביר או להכניס את הכרטיס"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "מוכן לתשלום"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "הקורא לא מחובר"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "כדי לעבד את התשלומים, יש לחבר את קורא הכרטיסים או לבחור בתשלום במזומן."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "בודק הזמנה"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "מתכוננים…"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "הסכום הכולל של ההזמנה נמוך מהסכום המינימלי שאפשר לגבות בכרטיס, שהוא %1$@. במקום זאת, אפשר לגבות את התשלום במזומן."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "אין אפשרות לגבות תשלום באמצעות כרטיס"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "שגיאה בעת בדיקת ההזמנה"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "יש לנסות שוב"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "רק רגע"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "לבטל"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "פתיחת הגדרות מכשיר"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "נדרשות הרשאות ל-Bluetooth"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "ביטול"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "לא הצלחנו לחבר את הקורא"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "יש לנסות שוב"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "ביטול"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "רמת הסוללה של הקורא נמוכה מאוד. יש לטעון את הקורא או לנסות קורא אחר."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "יש לנסות שוב"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "לא הצלחנו לחבר את הקורא"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "ביטול"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "לפתוח את הגדרות המכשיר"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "נדרשת הרשאה לשירותי המיקום כדי לצמצם הונאות, למנוע מחלוקות ולוודא שהתשלומים מאובטחים."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "יש להפעיל את שירותי המיקום כדי לאפשר תשלומים"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "לבטל"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "החיבור נכשל"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "ביטול"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "יש להזין כתובת"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "יש לנסות שוב לאחר העדכון"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "עליך לתקן את הכתובת של החנות שלך כדי להמשיך"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "ביטול"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "אפשר להגדיר את המיקוד של החנות שלך במקטע 'wp-admin' > ‏WooCommerce > הגדרות (כללי)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "יש לנסות שוב לאחר העדכון"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "עליך לתקן את המיקוד של החנות שלך"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "להמשיך"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "אפשר לשנות את האפשרות הזאת בשלב מאוחר יותר דרך אפליקציית ההגדרות."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "נדרשת הרשאה לשירותי המיקום כדי לצמצם הונאות, למנוע מחלוקות ולוודא שהתשלומים מאובטחים."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "יש להפעיל את שירותי המיקום כדי לאפשר תשלומים"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "רק רגע..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "מתחבר אל קורא הכרטיסים"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "בוצע"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "הקורא חובר"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "ביטול"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "להתחבר"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "נמצאו כמה קוראים"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "סורק לאיתור קוראים"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "ביטול"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "להתחבר לקורא"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "האם ברצונך להתחבר אל הקורא הזה?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "להמשיך בחיפוש"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ נמצא"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "ביטול"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "לאחר השלמת העדכון, קורא הכרטיסים יופעל מחדש באופן אוטומטי ויתחבר שוב."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% הושלמו"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "מעדכן את התוכנה"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "הבנתי"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% הושלמו"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "התוכנה עודכנה"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "ביטול"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "יש לנסות שוב"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "לא הצלחנו לעדכן את התוכנה של קורא הכרטיסים שלך"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "העדכון של הקורא נכשל מאחר שהסוללה טעונה ב-%.0f%% בלבד. יש לטעון את הקורא ולנסות שוב."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "ביטול"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "העדכון של הקורא נכשל מאחר שהסוללה חלשה. יש לטעון את הקורא ולנסות שוב."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "יש לנסות שוב"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "יש להטעין את הקורא"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "לבטל"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "לא הצלחנו לעדכן את התוכנה של קורא הכרטיסים שלך"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "לבטל בכל זאת"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "עליך לעדכן את התוכנה של קורא הכרטיסים שלך כדי לגבות תשלומים. הביטול יחסום את החיבור של קורא הכרטיסים."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% הושלמו"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "מעדכן את התוכנה"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "לבטל"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "החיבור לקורא נכשל"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "לסגור"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "עקב שגיאת רשת, אנחנו לא יודעים אם התשלום בוצע בהצלחה."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "יש לבדוק שוב את ההזמנה במכשיר עם חיבור לאינטרנט לפני ההמשך."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "ייתכן שההזמנה נכשלה"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "סכום כולל: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "תשלום במזומן"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "לסמן את התשלום כ'הושלם'"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "שגיאה בניסיון לעבד את התשלום. יש לנסות שוב."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "רק רגע"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "לנתק את הקורא"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "לצאת מ-POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "לקבלת תמיכה"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "הזמנות"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "היכן המוצרים שלי?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "הקורא חובר"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "לחבר את הקורא"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "מתנתק"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "הגדרות"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "תיעוד"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "להסיר"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "טוען"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "עריכת הזמנה"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "אין אפשרות להחיל את הקופון"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "להסיר קופון"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "להסיר את הקופונים"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "לא ניתן היה לטעון את הסכום הכולל"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "יש לנסות שוב"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "תשלום בכרטיס של %1$@ חויב בהצלחה."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "תשלום במזומן של %1$@ חויב בהצלחה."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "התשלום בוצע בהצלחה"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "לשלוח"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "לשלוח קבלה באימייל"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "יש להזין אימייל תקין."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "שגיאה בניסיון לשלוח את האימייל. יש לנסות שוב."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "להקליד אימייל"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "ביטול"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "לבטל"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "לא ידוע"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "למידע נוסף על קבלת תשלומים באמצעות המכשיר הנייד"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "תיעוד"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "קורא הכרטיסים לא מחובר"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "קוראי כרטיסים"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "לקבוע את ההגדרות של סורק הברקוד"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "סורקי ברקוד"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "לנהל את החיבורים של קורא הכרטיסים"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "קוראי כרטיסים"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "חומרה"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "סוללה"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "דגם"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "למידע נוסף בנושא סריקת ברקוד ב-POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "תיעוד"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "להגדיר ולבדוק את סורק הברקוד"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "הגדרת הסורק"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "סורקי ברקוד"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "לא הוגדר"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "כתובת"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "אימייל"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "לא הוגדר"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "מספר טלפון"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "כתובת פיזית"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "פרטי הקבלה"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "שם החנות"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "מדיניות החזרים כספיים והחזרות"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "פרטי החנות"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "שם החנות"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "חנות"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "הגדרות"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "לנהל את החיבורים של החומרה"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "חומרה"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "לקבל עזרה ותמיכה"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "עזרה"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "לנהל את הגדרות הקטלוג"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "קטלוג"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "תצורה והגדרות של החנות"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "חנות"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "סריקת ברקוד"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• יש לחבר את סורק הברקוד באמצעות Bluetooth בהגדרות של Bluetooth במערכת iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "שלב ראשון: יש לחבר את סורק הברקוד באמצעות Bluetooth בהגדרות של Bluetooth במערכת iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "אפשר לסרוק ברקוד באמצעות סורק חיצוני כדי לבנות עגלת קניות במהירות."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• יש לסרוק את הברקוד כאשר נמצאים ברשימת הפריטים כדי להוסיף מוצרים לעגלת הקניות."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "שלב שני: יש לסרוק את הברקוד כאשר נמצאים ברשימת הפריטים כדי להוסיף מוצרים לעגלת הקניות."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• יש לוודא ששדה החיפוש לא מופעל במהלך סריקת הברקודים."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "שלב שלישי: יש לוודא ששדה החיפוש לא מופעל במהלך סריקת הברקודים."; - -/* 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' שבמקטע 'מוצרים' > 'פרטי המוצר' > 'מלאי'."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "אפשר לעיין בתיעוד"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "אפשר להגדיר ברקודים בשדה 'GTIN‏, UPC,‏ EAN,‏ ISBN' שבלשונית של מלאי המוצר. לקבלת פרטים נוספים %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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.2" = "• יש לעיין בהוראות של סורק הברקודים של 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" = "• יש לחבר את סורק הברקוד בהגדרות של Bluetooth במערכת iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "שלב שלישי: יש לחבר את סורק הברקוד בהגדרות של Bluetooth במערכת iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "חזרה"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "תמונה של קוד לסריקה לצד סורק ברקוד."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "הכול מוכן, אפשר להתחיל לסרוק מוצרים. בפעם הבאה שיהיה צורך לחבר את הסורק, אפשר להדליק אותו והוא יתחבר מחדש אוטומטית."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "הסורק הוגדר!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "בוצע"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "חזרה"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "עליך לבדוק את המדריך של הסורק ולאפס את הסורק להגדרות היצרן. לאחר מכן יש לנסות שוב את תהליך ההגדרה."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "לנסות שוב"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "נמצאה בעיה בסריקה"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "יש להשתמש בסורק הברקודים כדי לסרוק את הקוד שלמטה ולהפעיל את מצב Bluetooth HID."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "הבא"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "אחר"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "יש להשתמש בסורק הברקוד כדי לסרוק את הקוד שלמטה ולהיכנס למצב חיבור."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "יש להפעיל את חיבור ה-Bluetooth ולבחור את הסורק של %1$@ בהגדרות Bluetooth של iOS. הסורק יצפצף ונורת LED תופיע ללא הבהובים כשהוא מקושר."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "לעבור להגדרות המכשיר"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "לחבר את הסורק"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "איך להגדיר ברקוד על מוצרים"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "איך להגדיר ברקוד על מוצרים"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "הגדרת הסורק"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "הגדרת הסורק"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "מקורות אחרים"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "להגדיר סורק ברקוד"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "יש לבחור דגם מהרשימה:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "יש לסרוק את הברקוד כדי לבדוק את הסורק שלך."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "יש לסרוק את הברקוד כדי לבדוק את הסורק שלך. אם הבעיה ממשיכה, יש לבדוק את הגדרות Bluetooth ולנסות שוב."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "לא נמצאו עדיין נתוני סריקה"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "לבדוק את הסורק"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "יש להקיש על מוצר כדי \n להוסיף את המוצר לעגלה"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "יש להקיש על מוצר כדי \n להוסיף את המוצר לעגלה, או "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "עגלת קניות"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "לסרוק ברקוד"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "מומלץ לנסות"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "לנקות את עגלת הקניות"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "אין חיבור אינטרנט"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "ביטול"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "ליצור קופון"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "כל התקדמות שנרשמה בהזמנות תאבד."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "יציאה"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "האם לצאת ממצב 'נקודת מכירה'?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "לצאת מ-POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "להפעיל את האפשרות של POS"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "לנסות שוב"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "כדי להמשיך, יש להפעיל את 'נקודת מכירה'. יש להפעיל את האפשרות של POS מתחת או ממנהל המערכת של WordPress במקטע 'הגדרות WooCommerce' > 'מתקדם' > 'אפשרויות' ולנסות שוב."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "כדאי להפעיל מחדש את האפליקציה כדי לפתור בעיה זו."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "לא הצלחנו לטעון את פרטי ההגדרות של האתר. יש לבדוק את החיבור לאינטרנט ולנסות שוב. אם הבעיה ממשיכה, יש ליצור קשר עם צוות התמיכה לקבלת עזרה."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "מערכת POS לא זמינה במטבע של החנות שלך. ב-%1$@, כרגע המערכת תומכת רק ב-%2$@. יש לבדוק את הגדרות המטבע של החנות או לפנות לתמיכה לקבלת סיוע."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "הגרסה של WooCommerce שברשותך לא נתמכת. למערכת POS נדרשת גרסת WooCommerce של %1$@ ומעלה. עליך לעדכן את WooCommerce לגרסה האחרונה."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "לא הצלחנו לטעון את פרטי התוסף של WooCommerce. יש לוודא שהתוסף של WooCommerce הותקן והופעל ממנהל המערכת של WordPress. אם עדיין קיימת בעיה, יש ליצור קשר עם התמיכה לעזרה."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "לא ניתן לטעון"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "יש לבדוק את החיבור לאינטרנט ולנסות שוב."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "אין אפשרות להפעיל את הקופונים"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "אין אפשרות לטעון קופונים נוספים"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "אין אפשרות לטעון מוצרים נוספים"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "אין אפשרות לטעון את המוצרים"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "אין אפשרות לטעון סוגים נוספים"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "אין אפשרות לטעון את הסוגים"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "אין אפשרות לרענן את הקופונים"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "יש לנסות שוב."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "להפעיל את הקופונים"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "יש להפעיל קודי קופון בחנות שלך כדי להתחיל ליצור אותם ללקוחות."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "להתחיל לקבל קופונים"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "אין אפשרות להעלות את הקופונים"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "לנסות שוב"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "מוצרים"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "לחפש קופונים"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "חיפוש מוצרים"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "לחפש"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "קופונים"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "מוצרים"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "לחפש בחנות שלך"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "מוצרים פופולריים"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "חיפושים אחרונים"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "לבטל"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "סטטוס ההזמנה: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "אין הזמנות להצגה"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "הזמנה"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "מוצרים"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "סך הכול"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "סך כל ההנחה: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "סך כל ההנחה"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "יש להקיש כדי לשלוח את הקבלה של ההזמנה באמצעות האימייל"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "לשלוח קבלה באימייל"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "תאריך הזמנה: %1$@, סטטוס: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "האימייל של הלקוח: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "תשלום נטו: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "תשלום נטו"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "הסכום הכולל ששולם: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "אמצעי תשלום: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "סך הכול שולם"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "כמות: %1$@ במחיר של %2$@ ליחידה, סך הכול %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "מוצרים"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "מוצרים"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "סיבה: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "החזר כספי שהונפק: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "סיבה: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "הוחזר"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "סכום ביניים של מוצרים: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "מיסים: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "מיסים"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "סך כל ההזמנה: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "סכום כולל"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "סך הכול"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "אין אפשרות לטעון הזמנות נוספות"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "לא ניתן לטעון את ההזמנות"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "לריענון"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "כדאי לשנות את מונח החיפוש."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "לא הצלחנו למצוא הזמנות שתואמות לחיפוש שלך."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "לא נמצאו הזמנות"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "הזמנות יופיעו כאן לאחר שתתחילו לעבד מכירות ב-POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "עדיין לא התקבלו הזמנות"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "להקיש כדי להציג את פרטי ההזמנה"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "הזמנה #%1$@, סכום כולל %2$@, %3$@, מצב: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "אימייל: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "הזמנות"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "חיפוש הזמנות"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "חיפוש הזמנות"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "אפשרויות זמינות"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "לא הצלחנו למצוא מוצרים עם השם הזה – כדאי לשנות את מונח החיפוש."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "קופונים יכולים לעזור לך לקדם את העסק. האם ברצונך ליצור אתר כעת?"; - -/* 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 ולעבור אל 'מוצרים'."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "לא ניתן לחפש בשמות סוגים, ולכן יש להשתמש בשם מוצר האב."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "לא הצלחנו למצוא מוצרים תואמים – כדאי לשנות את מונח החיפוש."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "לא נמצאו מוצרים"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "האפשרות POS נתמכת כרגע במוצרים פשוטים ובמוצרים עם סוגים בלבד."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "לא נמצאו מוצרים נתמכים"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "כדי להוסיף מוצר כזה, יש לצאת מ-POS ולערוך את המוצר הזה ללשונית 'מוצרים'."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "האפשרות POS נתמכת רק בסוגים מופעלים שלא ניתנים להורדה."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "לא נמצאו סוגים נתמכים"; - -/* 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" = "לנקות את החיפוש"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "ליצור הזמנה בניהול החנות"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "כדי לגבות תשלום במוצר לא נתמך, יש לצאת מ-POS וליצור הזמנה חדשה מלשונית ההזמנות."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "סוגי מוצרים אחרים יהיו זמינים בעדכונים בעתיד."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "נכון לעכשיו, ניתן להשתמש ב-POS רק עבור מוצרים פיזיים פשוטים ומוצרים עם סוגים שאינם ניתנים להורדה."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "למה המוצרים שלי לא מופיעים?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ במלאי"; - -/* 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" = "הזמנה חדשה"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "לשלוח קבלה באימייל"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "תשלום במזומן"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "סך כל ההנחה"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "סכום ביניים"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "מיסים"; - -/* Title for total amount field */ -"pos.totalsView.total" = "סכום כולל"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "עליך להתאים את חלוקת המסך כדי לספק מקום נוסף ל'נקודת מכירה'."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "התצוגה של 'נקודת מכירה' לא נתמכת ברוחב המסך הזה."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "לאפשר עדכון מלא באמצעות נתונים סלולריים"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "גודל הקטלוג"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "מצב הקטלוג"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "עדכון מלא אחרון"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "עדכון אחרון"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "ניהול השימוש בנתונים"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "עדכון ידני לקטלוג"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "ניתן להשתמש ברענון הזה רק כאשר משהו נראה לא כשורה – האפשרות של POS שומרת שהנתונים יהיו מעודכנים באופן אוטומטי."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "לרענן את הקטלוג"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "הגדרות קטלוג"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "⁦%1$d⁩ מוצרים, ⁦%2$ld⁩ וריאציות"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "גודל הקטלוג לא זמין"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "לא עודכן"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "תאריך העדכון לא זמין"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "לסגור"; diff --git a/WooCommerce/Resources/id.lproj/Localizable.strings b/WooCommerce/Resources/id.lproj/Localizable.strings index 4bdac68c7f8..da0b28fdae4 100644 --- a/WooCommerce/Resources/id.lproj/Localizable.strings +++ b/WooCommerce/Resources/id.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-08 09:54:09+0000 */ +/* Translation-Revision-Date: 2025-10-21 09:54:16+0000 */ /* Plural-Forms: nplurals=2; plural=n > 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: id */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Catatan pemesanan"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Tidak, simpan"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Ya, batalkan"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ tidak dapat lagi menghadiri “%2$@” pada %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Batalkan pemesanan"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Alamat penagihan"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Batalkan pemesanan"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Alamat email disalin"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Pelanggan"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Pembayaran"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Minta pengembalian dana"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Tandai sudah dibayar"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Tandai telah dikembalikan dananya"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Layanan"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Lihat pesanan"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Panggil"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Nomor telepon disalin"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Salin"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Tidak dapat melakukan panggilan ke nomor ini."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Dipesan"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Nama belakang"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugin"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Dokumentasi"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Dapatkan Dukungan"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Pelajari tentang produk yang didukung di POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Di mana produk saya?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Batalkan"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Bantuan"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Populer"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Pembayaran dibatalkan."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Proses pembayaran terganggu dan tidak dapat dilanjutkan. Anda dapat mencoba lagi pembayaran dari layar pesanan."; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Tidak dapat memproses pembayaran. Jumlah total pesanan tidak valid."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Tidak dapat memproses pembayaran. Pesanan ini sudah dibayar. Pembayaran lebih lanjut akan menyebabkan pelanggan ditagih dua kali untuk pesanannya."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Tidak dapat memproses pembayaran. Kami tidak dapat terhubung dengan sistem pembayaran. Harap hubungi dukungan jika error ini berlanjut."; - -/* 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$@"; - /* 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."; @@ -8625,12 +8611,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Coba Lagi"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Kami tidak dapat menemukan pemesanan dengan nama tersebut. Coba sesuaikan istilah pencarian untuk melihat hasil lainnya."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Terjadi error saat mengambil pemesanan"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Tanggal: Terbaru ke Terlama"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Tanggal: Terlama ke Terbaru"; + /* Tab title for all bookings */ "bookingListView.all" = "Semua"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Tidak ada pemesanan yang cocok dengan penyaring Anda. Coba sesuaikan untuk melihat hasil lainnya."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Pemesanan tidak ditemukan"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Anda tidak memiliki janji temu atau acara hari ini yang dijadwalkan."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Tidak ada pemesanan hari ini"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Anda belum memiliki janji temu atau acara mendatang yang dijadwalkan."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Tidak ada pemesanan mendatang"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filter"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Cari pemesanan"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Urutkan berdasarkan"; @@ -8664,6 +8683,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Belum dibayar"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Tamu"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Pemesanan"; @@ -8715,9 +8737,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Langganan variabel"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Sedang berlangsung"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Batal"; @@ -8845,12 +8864,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Total pesanan telah berubah sejak awal pembayaran. Silakan kembali dan periksa apakah pesanan sudah benar, lalu coba pembayaran lagi."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Kembalian terutang: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Pilih produk untuk kampanye Blaze."; @@ -8944,9 +8957,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Memecahkan Masalah Koneksi"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Kedaluwarsa pada %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Alamat"; @@ -9689,6 +9699,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Tingkatkan penjualan Anda"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Bagikan pengalaman Anda dengan survei cepat 2 menit dan bantu kami menjadi lebih baik."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Bagaimana performa POS menurut Anda?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Isi survei singkat 2 menit untuk membantu kami mengembangkan fitur yang Anda sukai."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Ingin mencoba penjualan langsung?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Gambar produk masih diunggah di latar belakang. Kecepatan pengunggahan mungkin menurun, dan error bisa terjadi. Untuk hasil terbaik, tetap buka aplikasi hingga pengunggahan selesai."; @@ -10307,1164 +10329,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Pemindai tidak mengirimkan karakter akhir baris"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Permintaan jaringan gagal"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Tidak ada koneksi internet"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Produk induk tidak ditemukan untuk variasi"; - -/* 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"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Pembayaran dibatalkan pada pembaca kartu"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Coba bayar lagi"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Kartu dimasukkan"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Siap untuk pembayaran"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Hubungkan ke pembaca"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Memproses pembayaran"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Batal"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Untuk mengaktifkan pembaca kartu Anda, tekan tombol dayanya."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Memindai pembaca"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Pesanan baru"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Coba lagi pembayaran"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Karena error jaringan, kami tidak dapat mengonfirmasi apakah pembayaran berhasil. Lakukan verifikasi pembayaran di perangkat dengan koneksi jaringan yang aktif. Jika gagal, ulangi pembayaran. JIka berhasil, mulai pesanan baru."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Error pembayaran"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Kembali ke checkout"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Pembayaran gagal"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Coba metode pembayaran lainnya."; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Coba lagi pembayaran"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Jika ingin menyelesaikan transaksi, coba lagi pembayaran."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Pembayaran gagal"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Coba metode pembayaran lainnya"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Edit pesanan"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Error saat menyiapkan pembayaran"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Coba lagi pembayaran"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Memproses pembayaran"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Menyiapkan"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Menyiapkan perangkat pembaca kartu untuk pembayaran"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Masukkan kartu"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Berikan kartu"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Ketuk kartu"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Ketuk atau masukkan kartu"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Ketuk, usap, atau masukkan kartu"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Siap untuk pembayaran"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Pembaca tidak terhubung"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Untuk memproses pembayaran ini, hubungkan ke perangkat pembaca kartu atau pilih tunai."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Memeriksa pesanan"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Menyiapkan"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Total pesanan kurang dari jumlah minimal pembayaran dengan kartu, yaitu %1$@. Sebagai gantinya, Anda dapat menggunakan pembayaran tunai."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Tidak dapat menerima pembayaran kartu"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Terjadi error saat memeriksa pesanan"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Coba lagi"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Harap tunggu"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Tutup"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Buka Pengaturan Perangkat"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Izin pengaktifan Bluetooth diperlukan"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Batal"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Tidak dapat menyambungkan pembaca"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Coba lagi"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Batal"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Daya baterai pembaca sangat rendah. Harap isi daya pembaca atau coba gunakan pembaca lain."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Coba Lagi"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Tidak dapat menyambungkan pembaca"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Batalkan"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Buka Pengaturan Perangkat"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Izin layanan lokasi diperlukan untuk mengurangi risiko penipuan, mencegah timbulnya sengketa, dan memastikan keamanan pembayaran."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Aktifkan layanan lokasi untuk mengizinkan pembayaran"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Tutup"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Koneksi gagal"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Batal"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Masukan Alamat"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Coba Lagi Setelah Memperbarui"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Mohon koreksi alamat toko Anda untuk melanjutkan"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Batal"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Anda dapat mengatur kode pos toko di wp-admin > WooCommerce > Pengaturan (Umum)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Coba Lagi Setelah Memperbarui"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Mohon koreksi kode pos toko Anda"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Lanjutkan"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Anda dapat mengubah pilihan ini di lain waktu melalui aplikasi Pengaturan."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Izin layanan lokasi diperlukan untuk mengurangi risiko penipuan, mencegah timbulnya sengketa, dan memastikan keamanan pembayaran."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Aktifkan layanan lokasi untuk mengizinkan pembayaran"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Harap tunggu..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Menyambungkan ke pembaca"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Selesai"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Pembaca terhubung"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Batal"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Hubungkan"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Ditemukan beberapa pembaca"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Memindai pembaca"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Batal"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Hubungkan ke Pembaca"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Anda ingin menghubungkan ke pembaca ini?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Terus Mencari"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "Ditemukan %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Batal"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Pembaca akan otomatis dimulai ulang dan dihubungkan kembali setelah pembaruan selesai."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% selesai"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Memperbarui perangkat lunak"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Saya paham"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% selesai"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Perangkat lunak diperbarui"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Batal"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Coba Lagi"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Kami tidak dapat memperbarui perangkat lunak pembaca Anda"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Pembaruan pembaca gagal karena baterai hanya %.0f%%. Isi daya pembaca lalu coba lagi."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Batal"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Pembaruan pembaca gagal karena baterai lemah. Isi daya pembaca lalu coba lagi."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Coba lagi"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Isi daya pembaca"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Tutup"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Kami tidak dapat memperbarui perangkat lunak pembaca Anda"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Batalkan saja"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Perangkat lunak pembaca kartu Anda perlu diperbarui untuk menerima pembayaran. Pembatalan akan memblok sambungan pembaca Anda."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% selesai"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Memperbarui perangkat lunak"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Tutup"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Menyambungkan pembaca gagal"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Tutup"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Karena error jaringan, kami tidak mengetahui apakah pembayaran behasil."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Periksa pesanan dua kali di perangkat dengan koneksi jaringan sebelum melanjutkan."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Pesanan ini mungkin gagal"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Total: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Pembayaran tunai"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Tandai pembayaran selesai"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Terjadi error saat memproses pembayaran. Coba lagi."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Penyiapan awal pemindai 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"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Putus Sambungan Pembaca"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Keluar dari POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Dapatkan Dukungan"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Pesanan"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Di mana produk saya?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Pembaca Terhubung"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Hubungkan ke pembaca"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Memutuskan sambungan"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Pengaturan"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Dokumentasi"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Hapus"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Memuat"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Sunting pesanan"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Tidak dapat menggunakan kupon"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Hapus kupon"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Hapus kupon"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Tidak bisa memuat total"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Coba lagi"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Pembayaran dengan kartu senilai %1$@ berhasil dilakukan."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Pembayaran tunai senilai %1$@ berhasil dilakukan."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Pembayaran berhasil"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Kirim"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Email tanda terima"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Masukkan email yang valid."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Terjadi error saat mencoba mengirim email ini. Coba lagi."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Ketik email"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Batal"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Batal"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Tidak diketahui"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Pelajari selengkapnya tentang menerima pembayaran dengan perangkat seluler"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Dokumentasi"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Perangkat pembaca kartu tidak terhubung"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Pembaca kartu"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Konfigurasi pengaturan pemindai barcode"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Pemindai barcode"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Kelola koneksi pembaca kartu"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Pembaca kartu"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Perangkat keras"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Baterai"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Model"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Pelajari selengkapnya tentang pemindaian barcode pada POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Dokumentasi"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Konfigurasi dan uji pemindai barcode Anda"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Pengaturan Pemindai"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Pemindai barcode"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Belum ditentukan"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Alamat"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "Email"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Tidak ditentukan"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Nomor telepon"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Alamat fisik"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Informasi Tanda Terima"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Nama toko"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Kebijakan Pengembalian Dana dan Barang"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Informasi Toko"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Nama toko"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Toko"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Pengaturan"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Kelola koneksi perangkat keras"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Perangkat keras"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Dapatkan bantuan dan dukungan"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Bantuan"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Kelola pengaturan katalog"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Katalog"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Konfigurasi dan pengaturan toko"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Toko"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Pemindaian barcode"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Hubungkan ke pemindai barcode Bluetooth Anda di pengaturan Bluetooth pada iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Pertama: Hubungkan ke pemindai barcode Bluetooth Anda di pengaturan Bluetooth pada iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Anda dapat memindai barcode menggunakan pemindai eksternal untuk mengisi keranjang dengan cepat."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Pindai barcode saat berada di daftar item untuk menambahkan produk ke keranjang."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Kedua: Pindai barcode saat berada di daftar item untuk menambahkan produk ke keranjang."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Pastikan kolom pencarian tidak diaktifkan saat memindai barcode."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Ketiga: Pastikan kolom pencarian tidak diaktifkan saat memindai 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."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "kunjungi dokumentasi"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Anda dapat mengatur barcode pada kolom GTIN, UPC, EAN, ISBN di tab inventaris produk. Untuk detail selengkapnya %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Anda dapat mengatur barcode pada kolom G-T-I-N, U-P-C, E-A-N, I-S-B-N di tab inventaris produk. Untuk detail selengkapnya kunjungi dokumentasi, tautan."; - -/* 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.2" = "• Lihat petunjuk pemindai barcode Bluetooth untuk mengatur mode HID. Biasanya, Anda perlu memindai barcode khusus pada buku manual."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Kedua: Lihat petunjuk pemindai barcode Bluetooth untuk mengatur mode H-I-D. Biasanya, Anda perlu memindai barcode khusus pada buku manual."; - -/* 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Kembali"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Gambar kode yang harus dipindai oleh pemindai barcode."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Anda siap untuk mulai memindai produk. Lain kali Anda perlu menghubungkan pemindai, cukup nyalakan dan pemindai akan terhubung kembali secara otomatis."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Pemindai sudah siap!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Selesai"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Kembali"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Silahkan periksa manual pemindai dan atur ulang ke pengaturan pabrik, lalu coba lagi alur penyiapan."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Coba lagi"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Masalah pemindaian ditemukan"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Gunakan pemindai barcode untuk memindai kode di bawah ini dan mengaktifkan mode HID Bluetooth."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Berikutnya"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Lainnya"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Gunakan pemindai barcode untuk memindai kode di bawah ini dan masuk ke mode pemasangan."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Aktifkan Bluetooth dan pilih pemindai %1$@ Anda di pengaturan Bluetooth iOS. Pemindai akan berbunyi bip dan lampu LED-nya akan menyala terus saat dipasangkan."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Buka pengaturan perangkat Anda"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Pasangkan pemindai Anda"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Cara menyiapkan barcode produk"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Cara menyiapkan barcode produk"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Penyiapan pemindai"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Penyiapan pemindai"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Pemindai lainnya"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Menyiapkan pemindai barcode"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Pilih model dari daftar berikut:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Pindai barcode untuk menguji pemindai."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Pindai barcode untuk menguji pemindai. Jika kendala terus berlanjut, silakan periksa pengaturan Bluetooth dan coba lagi."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Data pemindaian belum ditemukan"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Uji pemindai Anda"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Ketuk produk ke \n tambahkan ke keranjang"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Ketuk produk untuk \n menambahkannya ke keranjang, atau "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Keranjang"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Pindai barcode"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Keluar"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Hapus keranjang"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Tidak ada koneksi internet"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Batalkan"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Buat kupon"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Semua pesanan yang sedang aktif akan hilang."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Keluar"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Keluar dari mode Point of Sale?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Keluar dari POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Aktifkan fitur POS"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Coba lagi"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Point of Sale harus diaktifkan untuk melanjutkan. Aktifkan fitur POS dari admin WordPress Anda di pengaturan WooCommerce > Lanjutan > Fitur dan coba lagi."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Coba luncurkan ulang aplikasi untuk mengatasi masalah ini."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Kami tidak dapat memuat info pengaturan situs. Harap periksa koneksi internet Anda dan coba lagi. Jika masalah berlanjut, hubungi dukungan untuk mendapatkan bantuan."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Sistem POS tidak tersedia untuk mata uang toko Anda. Di %1$@, saat ini hanya mendukung %2$@. Harap periksa pengaturan mata uang toko Anda atau hubungi bagian dukungan untuk mendapatkan bantuan."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Versi WooCommerce Anda tidak didukung. Sistem POS memerlukan WooCommerce versi %1$@ atau yang lebih tinggi. Harap perbarui WooCommerce ke versi terbaru."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Kami tidak dapat memuat info plugin WooCommerce. Pastikan plugin WooCommerce telah diinstal dan diaktifkan dari admin WordPress Anda. Jika masih terjadi kendala, hubungi dukungan untuk mendapatkan bantuan."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Tidak dapat memuat"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Harap periksa koneksi internet Anda dan coba lagi."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Tidak dapat mengaktifkan kupon."; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Gagal memuat kupon lainnya"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Tidak dapat memuat lebih banyak produk"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Tidak dapat memuat produk"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Tidak dapat memuat lebih banyak variasi"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Tidak dapat memuat variasi"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Tidak dapat menyegarkan kupon"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Silakan coba lagi."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Aktifkan kupon"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Aktifkan kode kupon di toko Anda untuk mulai membuat kupon bagi pelanggan Anda."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Mulai terima kupon"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Tidak dapat memuat kupon"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Coba lagi"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Produk"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Cari kupon"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Cari produk"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Cari"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Kupon"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Produk"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Cari di toko Anda"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Produk populer"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Pencarian terbaru"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Abaikan"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Status pesanan: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Tidak ada pesanan untuk ditampilkan"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Pesanan"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Produk"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Total"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Total diskon: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Total diskon"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Ketuk untuk mengirim tanda terima pesanan melalui email"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Email tanda terima"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Tanggal pesanan: %1$@, Status: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Email pembeli: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Pembayaran bersih: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Pembayaran Bersih"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Jumlah yang telah dibayarkan: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Metode pembayaran: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Jumlah yang telah dibayarkan"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Jumlah: %1$@ harga satuan %2$@, Total %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Produk"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Produk"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Alasan: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Dana dikembalikan: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Alasan: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Dana dikembalikan"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Subtotal produk: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Pajak: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Pajak"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Total pesanan: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Total"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Jumlah"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Tidak dapat memuat lebih banyak pesanan"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Tidak dapat memuat pesanan"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Segarkan"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Coba ubah istilah pencarian."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Kami tidak menemukan hasil yang cocok dengan pencarian."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Tidak ada pesanan"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Pesanan akan muncul di sini setelah Anda mulai memproses penjualan melalui POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Belum ada pesanan"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Ketuk untuk melihat rincian pesanan"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Pesanan #%1$@, Total %2$@, %3$@, Status: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "Email: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Pesanan"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Cari pesanan"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Cari pesanan"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Pilihan tersedia"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Kami tidak dapat menemukan kupon dengan nama tersebut — coba sesuaikan istilah pencarian."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Kupon dapat menjadi cara yang efektif untuk meningkatkan bisnis. Ingin membuat kupon?"; - -/* 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."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Nama variasi tidak dapat dicari, maka gunakan nama produk induk."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Kami tidak dapat menemukan produk yang sesuai — coba sesuaikan istilah pencarian Anda."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Produk tidak ditemukan"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS saat ini hanya mendukung produk sederhana dan bervariasi."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Produk yang didukung tidak ditemukan"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Untuk menambahkan produk, keluar dari POS, kemudian edit produk ini di tab Produk."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS hanya mendukung variasi bukan unduhan yang sudah diaktifkan."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Tidak ada variasi yang didukung"; - -/* 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"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Buat pesanan di manajemen toko"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Untuk memproses pembayaran atas produk yang tidak didukung, keluar dari POS, kemudian buat pesanan baru dari tab pesanan."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Jenis produk lain akan tersedia dalam pembaruan mendatang."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Saat ini, hanya produk sederhana dan bukan unduhan yang dapat menggunakan POS."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Mengapa produk saya tidak muncul?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ tersedia"; - -/* 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"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Email tanda terima"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Pembayaran tunai"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Total diskon"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Subtotal"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Pajak"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Total"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Sesuaikan pemisah layar Anda untuk memberikan lebih banyak ruang bagi Point of Sale."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Point of Sale tidak didukung pada lebar layar ini."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Izinkan pembaruan penuh menggunakan koneksi data seluler"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Ukuran katalog"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Status Katalog"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Pembaruan penuh terakhir"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Pembaruan terakhir"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Mengelola Penggunaan Data"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Pembaruan Katalog Manual"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Gunakan segarkan ini hanya saat ada masalah - POS menyimpan data terkini secara otomatis."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Segarkan katalog"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Pengaturan Katalog"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d produk, %2$ld variasi"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Ukuran katalog tidak tersedia"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Tidak diperbarui"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Tanggal pembaruan tidak tersedia"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Tutup"; @@ -11906,6 +10773,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Point of Sale"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Checkout Web"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Batal"; diff --git a/WooCommerce/Resources/it.lproj/Localizable.strings b/WooCommerce/Resources/it.lproj/Localizable.strings index 42150e57e22..ff8a94b6b41 100644 --- a/WooCommerce/Resources/it.lproj/Localizable.strings +++ b/WooCommerce/Resources/it.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 04:04:09+0000 */ +/* Translation-Revision-Date: 2025-10-21 09:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: it */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Note di prenotazione"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "No, mantieni la prenotazione"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Sì, cancella la prenotazione"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ non potrà più partecipare a \"%2$@\" il giorno %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Cancella la prenotazione"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Indirizzo di fatturazione"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Cancella prenotazione"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Indirizzo e-mail copiato"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Cliente"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Pagamento"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Emetti il rimborso"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Contrassegna come pagato"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Contrassegna come rimborsato"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Servizio"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Visualizza ordine"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Chiama"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Numero di telefono copiato"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Copia"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Impossibile chiamare questo numero."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Prenotato"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Cognome"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugin"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Documentazione"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Richiedi assistenza"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Scopri quali prodotti sono supportati in POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Dove sono i miei prodotti?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Annulla"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Aiuto"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Popolari"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Il pagamento è stato cancellato."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Il pagamento è stato interrotto e non può essere continuato. Puoi provare nuovamente il pagamento dalla schermata dell'ordine."; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Impossibile elaborare il pagamento. L'importo totale dell'ordine non è valido."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Impossibile elaborare il pagamento. Quest'ordine è già stato pagato. Accettare un ulteriore pagamento comporterebbe un doppio addebito dell'ordine al cliente."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Impossibile elaborare il pagamento. Impossibile connettersi al sistema di pagamento. Contatta il supporto se l'errore persiste."; - -/* 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$@"; - /* 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."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Riprova"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Non abbiamo trovato nessuna prenotazione con questo nome. Prova a modificare il termine di ricerca per visualizzare qualche risultato."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Errore durante il recupero delle prenotazioni"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Data: dalla più recente alla meno recente"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Data: dalla meno recente alla più recente"; + /* Tab title for all bookings */ "bookingListView.all" = "Tutti"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Non sono presenti prenotazioni che soddisfano i filtri. Prova a modificarli per visualizzare qualche risultato."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Nessuna prenotazione trovata"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Non hai appuntamenti o eventi programmati per oggi."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Nessuna prenotazione per oggi"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Non hai ancora appuntamenti o eventi futuri programmati."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Nessuna prenotazione imminente"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filtra"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Cerca prenotazioni"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Ordina per"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Non pagato"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Ospite"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Prenotazioni"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Abbonamento variabile"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "In corso"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Annulla"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ x %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Il totale dell'ordine è cambiato dall'inizio del pagamento. Torna indietro e controlla che l'ordine sia corretto, quindi riprova il pagamento."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Resto dovuto: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Seleziona il prodotto per la campagna Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Risoluzione dei problemi di connessione"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Scaduto il giorno %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Indirizzo"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Aumenta le tue vendite"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Raccontaci la tua esperienza partecipando a un'indagine di 2 minuti e aiutaci a migliorare."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Come funziona POS per te?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Partecipa a una breve indagine della durata di 2 minuti per aiutarci a dare forma a funzionalità che adorerai."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Stai considerando la possibilità di condurre vendite di persona?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Le immagini del prodotto sono ancora in caricamento in background. La velocità di caricamento potrebbe essere più lenta e potrebbero verificarsi errori. Per ottenere risultati migliori, tieni aperta l'app fino al completamento dei caricamenti."; @@ -10310,1164 +10332,9 @@ 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" = "Codice a barre troppo corto"; - -/* Error message shown when scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Lo scanner non ha inviato un carattere di fine riga"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Richiesta di rete non andata a buon fine"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Nessuna connessione a Internet"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Variante del prodotto principale non trovata"; - -/* Error message shown when a scanned item is not found in the store. */ -"pointOfSale.barcodeScan.error.notFound" = "Articolo scansionato sconosciuto"; - -/* Error message shown when parsing barcode data fails. */ -"pointOfSale.barcodeScan.error.parsingError" = "Impossibile leggere il codice a barre"; - -/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ -"pointOfSale.barcodeScan.error.scanFailed" = "Scansione non riuscita"; - -/* Error message shown when a scanned item is of an unsupported type. */ -"pointOfSale.barcodeScan.error.unsupportedProductType" = "Tipo di articolo non supportato"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Pagamento annullato nel reader"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Ritenta il pagamento"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Carta inserita"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Pronto per il pagamento"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Connetti al tuo lettore"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Elaborazione del pagamento"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Annulla"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Per attivare il lettore di schede, premi velocemente il pulsante di accensione."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Ricerca del lettore"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Nuovo ordine"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Prova ancora il pagamento"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Non possiamo confermare l'esito del pagamento a causa di un errore di rete. Verifica il pagamento da un dispositivo connesso a una rete funzionante. Se il pagamento non è andato a buon fine, riprova. Se il pagamento è andato a buon fine, crea un nuovo ordine."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Errore di pagamento"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Torna al pagamento"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Pagamento non riuscito"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Prova un altro metodo di pagamento"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Prova ancora il pagamento"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Se desideri continuare a elaborare questa transazione, prova di nuovo il pagamento."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Pagamento non riuscito"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Prova un altro metodo di pagamento"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Modifica ordine"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Errore di preparazione del pagamento"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Prova di nuovo il pagamento"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Elaborazione del pagamento"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Quasi pronto"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Preparazione del reader al pagamento"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Inserisci la carta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Presenta la carta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Tocca la carta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Tocca o inserisci la carta"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Tocca, scorri o inserisci la carta"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Pronto per il pagamento"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Lettore non connesso"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Per elaborare questo pagamento, collega il lettore o scegli contanti."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Verifica dell'ordine"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Quasi pronto"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "L'importo totale dell'ordine è inferiore all'importo minimo che puoi addebitare su una carta, che è di %1$@. Puoi invece accettare un pagamento in contanti."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Impossibile accettare pagamenti con carta"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Errore nella verifica dell'ordine"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Riprova"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Attendi"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Ignora"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Apri le impostazioni del dispositivo"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Autorizzazione del Bluetooth richiesta"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Annulla"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Impossibile connettersi al lettore"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Riprova"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Annulla"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Il lettore ha il livello della batteria molto basso. Carica il lettore o prova un altro lettore."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Riprova"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Impossibile connettersi al lettore"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Annulla"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Apri le impostazioni del dispositivo"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "L'autorizzazione dei servizi di localizzazione è richiesta per limitare le frodi, prevenire le controversie e garantire pagamenti sicuri."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Abilita i servizi di localizzazione per consentire i pagamenti"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Ignora"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Connessione non riuscita"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Annulla"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Inserisci l'indirizzo"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Riprova dopo aver eseguito l'aggiornamento"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Correggi l'indirizzo del tuo negozio per procedere"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Annulla"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Puoi impostare il codice postale\/CAP del negozio in wp-admin > WooCommerce > Impostazioni (Generale)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Riprova dopo aver eseguito l'aggiornamento"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Correggi il codice postale\/CAP del negozio"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Continua"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Puoi modificare quest'opzione in seguito nell'app delle Impostazioni."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "L'autorizzazione dei servizi di localizzazione è richiesta per limitare le frodi, prevenire le controversie e garantire pagamenti sicuri."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Abilita i servizi di localizzazione per consentire i pagamenti"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Attendi…"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Connessione al lettore"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Fatto"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Lettore connesso"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Annulla"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Connessione"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Sono stati trovati più lettori"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Ricerca di lettori"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Annulla"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Connetti al lettore"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Vuoi connetterti a questo lettore?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Continua a cercare"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "Trovato %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Annulla"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Il lettore si riavvierà automaticamente e si riconnetterà al termine dell'aggiornamento"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% completato"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Aggiornamento del software"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Ho capito"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% completato"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Software aggiornato"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Annulla"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Riprova"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Non è stato possibile aggiornare il software del tuo lettore"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "L'aggiornamento del lettore non è riuscito perché la batteria è carica al %.0f%%. Carica il lettore e riprova."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Annulla"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "L'aggiornamento di un lettore non è riuscito perché la batteria è scarica. Carica il lettore e riprova."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Riprova"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Modifica il lettore"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Ignora"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Non è stato possibile aggiornare il software del tuo lettore"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Annulla comunque"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Il software del tuo lettore di carte deve essere aggiornato per ricevere pagamenti. Annullando verrà bloccata la connessione al lettore."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% completato"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Aggiornamento del software"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Ignora"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Connessione del lettore non riuscita"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Chiudi"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Non sappiamo se il pagamento sia andato a buon fine a causa di un errore di rete."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Verifica l'ordine da un dispositivo connesso alla rete prima di continuare."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Questo ordine potrebbe essere fallito"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Totale: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Pagamento in contanti"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Contrassegna il pagamento come completato"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Errore durante l'elaborazione del pagamento. Riprova."; - -/* A message shown on the coupon if's not valid after attempting to apply it */ -"pointOfSale.couponRow.invalidCoupon" = "Coupon non applicato"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Configurazione iniziale dello scanner di codici a barre"; - -/* 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" = "Attendi"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Disconnetti il lettore"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Esci da POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Richiedi assistenza"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Ordini"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Dove sono i miei prodotti?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Lettore connesso"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Connetti al tuo lettore"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Disconnessione..."; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Impostazioni"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Documentazione"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Elimina"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Caricamento"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Modifica ordine"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Impossibile applicare il codice promozionale"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Rimuovi codice promozionale"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Rimuovi codici promozionali"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Non è stato possibile caricare i totali"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Riprova"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Un pagamento con carta di %1$@ è stato effettuato correttamente."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Un pagamento in contanti di %1$@ è stato effettuato correttamente."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Pagamento avvenuto correttamente"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Invia"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Ricevuta via e-mail"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Inserisci un'e-mail valida."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Errore durante l'invio dell'e-mail. Riprova."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Digita l'e-mail"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Annulla"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Annulla"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Sconosciuto"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Scopri di più sull'accettazione di pagamenti con dispositivi mobili"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Documentazione"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Lettore non connesso"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Lettori di carte"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Configura le impostazioni dello scanner di codici a barre"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Scanner di codici a barre"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Gestisci le connessioni del lettore di carte"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Lettori di carte"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hardware"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Batteria"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modello"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Scopri di più sulla scansione dei codici a barre in POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Documentazione"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Configura e testa lo scanner di codici a barre"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Configurazione dello scanner"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Scanner di codici a barre"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Nessuna impostazione"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Indirizzo"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-mail"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Nessuna impostazione"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Numero di telefono"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Indirizzo fisico"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Informazioni sulla ricevuta"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Nome del negozio"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Politica di rimborsi e resi"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Informazioni sul negozio"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Nome del negozio"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Negozio"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Impostazioni"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Gestisci le connessioni hardware"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hardware"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Ricevi aiuto e assistenza"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Aiuto"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Gestisci impostazioni catalogo"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Catalogo"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Configurazione e impostazioni del negozio"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Negozio"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Scansione dei codici a barre"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Fai riferimento al tuo scanner di codici a barre Bluetooth nelle impostazioni Bluetooth di iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Primo punto: fai riferimento al tuo scanner di codici a barre Bluetooth nelle impostazioni Bluetooth di iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Per creare rapidamente un carrello, puoi scansionare i codici a barre utilizzando uno scanner esterno."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Scansiona i codici a barre quando è aperto l'elenco degli articoli per aggiungere prodotti al carrello."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Secondo punto: scansiona i codici a barre quando è aperto l'elenco degli articoli per aggiungere prodotti al carrello."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Assicurati che il campo di ricerca non sia abilitato durante la scansione dei codici a barre."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Terzo punto: assicurati che il campo di ricerca non sia abilitato durante la scansione dei codici a barre."; - -/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ -"pos.barcodeInfoModal.introMessage" = "Per creare rapidamente un carrello, puoi scansionare i codici a barre utilizzando uno scanner esterno."; - -/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ -"pos.barcodeInfoModal.moreDetailsLink" = "Ulteriori dettagli."; - -/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ -"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Ulteriori dettagli, link."; - -/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ -"pos.barcodeInfoModal.primaryMessage" = "• Configura i codici a barre nel campo \"GTIN, UPC, EAN, ISBN\" in Prodotti > Dettagli del prodotto > Inventario. "; - -/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.primaryMessage.accessible" = "Primo punto: configura i codici a barre nel campo \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" andando a Prodotti, quindi Dettagli del prodotto e infine Inventario."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "consulta la documentazione"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Puoi configurare i codici a barre nei campi GTIN, UPC, EAN e ISBN nella scheda dell'inventario del prodotto. Per ulteriori dettagli %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Puoi configurare i codici a barre nei campi G-T-I-N, U-P-C, E-A-N e I-S-B-N nella scheda dell'inventario del prodotto. Per ulteriori dettagli visita la documentazione, link."; - -/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ -"pos.barcodeInfoModal.quaternaryMessage" = "• Scansiona i codici a barre nell'elenco degli articoli per aggiungere prodotti al carrello."; - -/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Quarto punto: scansiona i codici a barre nell'elenco degli articoli per aggiungere prodotti al carrello."; - -/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ -"pos.barcodeInfoModal.quinaryMessage" = "Lo scanner emula una tastiera, quindi a volte impedisce la visualizzazione della tastiera virtuale, ad esempio nella ricerca. Tocca l'icona della tastiera per mostrarla di nuovo."; - -/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ -"pos.barcodeInfoModal.secondaryMessage.2" = "• Per impostare la modalità HID, consulta le istruzioni dello scanner di codici a barre Bluetooth. Solitamente è richiesta la scansione di un codice a barre speciale nel manuale."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Secondo punto: per impostare la modalità H-I-D, consulta le istruzioni dello scanner di codici a barre Bluetooth. Solitamente è richiesta la scansione di un codice a barre speciale nel manuale."; - -/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ -"pos.barcodeInfoModal.tertiaryMessage" = "• Connetti lo scanner di codici a barre nelle impostazioni Bluetooth di iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Terzo punto: connetti lo scanner di codici a barre nelle impostazioni Bluetooth di iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Indietro"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Immagine di un codice da scansionare con uno scanner di codici a barre."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "È tutto pronto per la scansione dei prodotti. La prossima volta che dovrai collegare lo scanner, basterà accenderlo e si riconnetterà automaticamente."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Scanner configurato."; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Fatto"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Indietro"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Consulta il manuale dello scanner e ripristina le impostazioni di fabbrica, quindi riavvia il flusso di configurazione."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Riprova"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Problema di scansione rilevato"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Scansiona il codice di seguito con lo scanner di codici a barre per abilitare la modalità Bluetooth HID."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Avanti"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Altro"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Scansiona il codice di seguito con lo scanner di codici a barre per avviare l'associazione."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Attiva il Bluetooth e seleziona il tuo scanner %1$@ nelle impostazioni Bluetooth di iOS. Quando viene associato, lo scanner emetterà un segnale acustico e comparirà un LED fisso."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Vai alle impostazioni del tuo dispositivo"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Associa lo scanner"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Come impostare codici a barre per i prodotti"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Come impostare codici a barre per i prodotti"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Configurazione dello scanner"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Configurazione dello scanner"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Altro scanner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Configura uno scanner di codici a barre"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Seleziona un modello dall'elenco:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Scansiona il codice a barre per testare lo scanner."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Scansiona il codice a barre per testare lo scanner. Se il problema persiste, controlla le impostazioni Bluetooth e riprova."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Nessun dato di scansione trovato"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Testa lo scanner"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Tocca un prodotto per \n aggiungerlo al carrello"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Tocca un prodotto per \n aggiungerlo al carrello o "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Carrello"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Scansiona codice a barre"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Pagamento"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Rimuovi tutti gli articoli dal carrello"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Nessuna connessione a Internet"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Annulla"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Crea codice promozionale"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Gli ordini in corso andranno persi."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Esci"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Uscire dalla modalità punto vendita?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Esci da POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Abilita la funzionalità POS"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Riprova"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Per procedere, il punto vendita deve essere abilitato. Abilita la funzionalità POS qui sotto o dalla pagina di amministrazione di WordPress in Impostazioni WooCommerce > Avanzate > Funzionalità e riprova."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Prova a riavviare l'app per risolvere questo problema."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Impossibile caricare le informazioni sulle impostazioni del sito. Controlla la connessione a Internet e riprova. Se il problema persiste, contatta il supporto per ricevere assistenza."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Il sistema POS non è disponibile per la valuta del tuo negozio. %1$@, l'unica valuta al momento supportata è %2$@. Controlla le impostazioni della valuta del negozio o contatta il supporto per ricevere assistenza."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "La tua versione di WooCommerce non è supportata. Il sistema POS richiede la versione %1$@ di WooCommerce o successiva. Effettua l'aggiornamento alla versione più recente di WooCommerce."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Impossibile caricare le informazioni del plugin WooCommerce. Vai alla pagina di amministrazione di WordPress per verificare che il plugin WooCommerce sia installato e attivo. Se continui a riscontrare problemi, contatta il supporto per ricevere assistenza."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Impossibile caricare"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Controlla la connessione a Internet e riprova."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Impossibile abilitare i codici promozionali"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Impossibile caricare altri codici promozionali"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Impossibile caricare altri prodotti"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Impossibile caricare i prodotti"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Impossibile caricare altre varianti"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Impossibile caricare le varianti"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Impossibile aggiornare i codici promozionali"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Riprova."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Abilita i codici promozionali"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Abilita i codici promozionali nel tuo negozio per iniziare a crearli per i tuoi clienti."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Inizia ad accettare i codici promozionali"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Impossibile caricare i codici promozionali"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Riprova"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Prodotti"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Cerca codici promozionali"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Cerca prodotti"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Cerca"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Codici promozionali"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Prodotti"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Cerca nel tuo negozio"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Prodotti popolari"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Ricerche recenti"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Ignora"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Stato dell'ordine: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Nessun ordine da visualizzare"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Ordine "; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Prodotti"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totali"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Totale sconto: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Totale sconto"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Tocca per inviare la ricevuta dell'ordine tramite e-mail"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Ricevuta via e-mail"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Data ordine: %1$@, Stato: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "E-mail del cliente: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Pagamento netto: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Pagamento netto"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Totale pagato: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Metodo di pagamento: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Totale pagato"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Quantità: %1$@ a %2$@ ciascuno, Totale %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Prodotti"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Prodotti"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Motivo: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Rimborsato: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Motivo: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Rimborsato"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Subtotale prodotti: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Imposte: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Imposte"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Totale ordine: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Totale"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totali"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Impossibile caricare altri ordini"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Impossibile caricare gli ordini"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Aggiorna"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Prova a modificare i termini di ricerca."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Non abbiamo trovato alcun ordine che corrisponda alla tua ricerca."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Nessun ordine trovato"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Gli ordini appariranno qui non appena inizierai a elaborare le vendite sul POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Ancora nessun ordine"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Tocca per mostrare i dettagli dell'ordine"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Ordine #%1$@, Totale %2$@, %3$@, Stato: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-mail: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Ordini"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Cerca ordini"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Cerca ordini"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Opzioni disponibili"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Non abbiamo trovato alcun codice promozionale con questo nome. Prova a modificare il termine di ricerca."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "I codici promozionali possono essere utili per dare slancio all'attività. Desideri crearne uno?"; - -/* Text appearing on the coupon list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Nessun codice promozionale trovato"; - -/* Text for the button appearing on the products list screen when there are no products found. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Aggiorna"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Per aggiungerne uno, esci da POS e vai a Prodotti."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "I nomi delle varianti non possono essere cercati, quindi usa il nome del prodotto principale."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Non abbiamo trovato alcun prodotto corrispondente. Prova a modificare il termine di ricerca."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Nessun prodotto trovato"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS al momento supporta solo prodotti semplici e variabili."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Nessun prodotto supportato trovato"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Per aggiungerne una, esci da POS e modifica questo prodotto nella scheda Prodotti."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS supporta solo varianti abilitate non scaricabili."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Nessuna variante supportata trovata"; - -/* Text for the button appearing on the coupons list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Crea codice promozionale"; - -/* 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" = "Cancella la ricerca"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Crea un ordine nella gestione del negozio"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Per ricevere il pagamento per un prodotto non supportato, esci da POS e crea un nuovo ordire dalla scheda degli ordini."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Altri tipi di prodotti saranno disponibili in seguito a futuri aggiornamenti."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Al momento solo prodotti semplici e variabili non scaricabili possono essere utilizzati con POS."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Perché non riesco a visualizzare i miei prodotti?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ in magazzino"; - -/* Label to be displayed in the product's card when out of stock */ -"pos.stockStatusLabel.outofstock" = "Esaurito"; - /* Title for the Point of Sale tab. */ "pos.tab.title" = "Punto vendita"; -/* Button title for new order button */ -"pos.totalsView.button.newOrder" = "Nuovo ordine"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Ricevuta via e-mail"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Pagamento in contanti"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Totale sconto"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Subtotale"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Imposte"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Totale"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Regola la divisione dello schermo per dare più spazio al punto vendita."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Il punto vendita non è supportato con questa larghezza di schermo."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Consenti l'aggiornamento completo sui dati della rete cellulare"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Dimensioni catalogo"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Stato catalogo"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Ultimo aggiornamento completo"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Ultimo aggiornamento"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Gestione dell'utilizzo dei dati"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Aggiornamento manuale del catalogo"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Usa questa funzione solo se noti delle anomalie. Il POS aggiorna i dati automaticamente."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Aggiorna catalogo"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Impostazioni catalogo"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d prodotti, %2$ld varianti"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Dimensioni del catalogo non disponibili"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Non aggiornato"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Aggiornamento data non disponibile"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Chiudi"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Punto vendita"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Pagamento web"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Annulla"; diff --git a/WooCommerce/Resources/ja.lproj/Localizable.strings b/WooCommerce/Resources/ja.lproj/Localizable.strings index 6526c303cd2..c4c4808fe2f 100644 --- a/WooCommerce/Resources/ja.lproj/Localizable.strings +++ b/WooCommerce/Resources/ja.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 04:03:56+0000 */ +/* Translation-Revision-Date: 2025-10-21 09:54:18+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ja_JP */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "予約メモ"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "いいえ、そのままにします"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "はい、キャンセルします"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ が %3$@ の「%2$@」に出席できなくなりました。"; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "予約をキャンセル"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "請求先住所"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "予約をキャンセル"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "メールアドレスをコピーしました"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "顧客"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "支払い"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "返金を実行"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "支払い済みとしてマーク"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "返金済みとしてマーク"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "サービス"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "注文を表示"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "通話"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "電話番号をコピーしました"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "コピー"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "この番号に電話をかけられませんでした。"; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "予約済み"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "姓"; -/* 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" = "ストアを立ち上げる"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "プラグイン"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "ドキュメント"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "サポートを受ける"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "POS 対象の商品についてさらに詳しく"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "商品はどこにありますか ?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "キャンセル"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "ヘルプ"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "人気"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "この支払い方法は自動返金をサポートしていません。 顧客に手動で送金し、払い戻しを完了してください。"; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "支払いがキャンセルされました。"; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "支払いが中断されました。続行できません。 注文画面から支払いを再試行できます。"; @@ -6709,21 +6710,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 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$@) を下回っています。"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "支払いを処理できません。 注文の合計金額が有効ではありません。"; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "支払いを処理できません。 この注文はすでに支払われており、さらに支払いを行うと、お客様は1つの注文に対して2回請求されることになります。"; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "支払いを処理できません。 決済システムに接続できませんでした。 エラーが続く場合はサポートにお問い合わせください。"; - -/* 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$@"; - /* 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 を表示してください。"; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "もう一度試す"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "その名前の予約は見つかりませんでした。より多くの結果を表示するには、検索キーワードを調整してみてください。"; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "予約取得時のエラー"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "日付 :投稿日時 (新しい記事を優先)"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "日付 :投稿日時 (古い記事を優先)"; + /* Tab title for all bookings */ "bookingListView.all" = "すべて"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "フィルターに一致する予約がありません。 より多くの結果を表示するには、調整してみてください。"; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "予約はありません"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "今日予定された予約やイベントはありません。"; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "今日の予約はありません"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "予定された今後の予約やイベントはまだありません。"; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "今後の予約はありません"; + /* Button to filter the booking list */ "bookingListView.filter" = "フィルター"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "予約を検索"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "並べ替え"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未払い"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "ゲスト"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "予約"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "バリエーションのある定期購入"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "進行中"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = " キャンセル"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "支払い開始以降に注文合計額が変更されました。 戻って注文が正しいことを確認してから、もう一度お支払いをお試しください。"; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "変更期限: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Blaze キャンペーンの製品を選択します。"; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "接続のトラブルシューティング"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "%@に期限が切れました"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "住所"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "売上を伸ばす"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "2分間の簡単なアンケートで体験を共有し、改善にご協力ください。"; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "POS 機能はいかがですか ?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "よりよい機能を実現するため、2分間の簡単なアンケートにご協力ください。"; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "オフラインでの販売についてお考えですか ?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "商品画像はまだバックグラウンドでアップロード中です。 アップロード速度が遅くなり、エラーが発生する可能性があります。 最良の結果を得るには、アップロードが完了するまでアプリを開いたままにしてください。"; @@ -10310,1164 +10332,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "スキャナーから改行コードが送信されませんでした"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "ネットワークリクエストに失敗しました"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "インターネットに接続していません"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "バリエーションの親商品が見つかりません"; - -/* 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" = "サポートされていないアイテムタイプ"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "リーダーで支払いがキャンセルされました"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "再度支払いを試す"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "カードを挿入しました"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "支払い準備完了"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "読者とつながる"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "支払いを処理しています"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "キャンセル"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "カードリーダーをオンにするには、電源ボタンを1回押します。"; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "リーダーをスキャンしています"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "新しい注文"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "再度支払いを試す"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "ネットワークエラーにより、お支払いが正常に完了したことを確認できません。 ネットワーク接続が可能な端末で支払いを確認してください。 支払いが完了していない場合はもう一度お試しください。 正常に完了したら新しい注文を開始します。"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "支払いエラー"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "購入手続きに戻る"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "支払いに失敗しました"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "別の支払い方法を試す"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "再度支払いを試す"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "この取引の処理を続行する場合は、支払いを再試行してください。"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "支払いに失敗しました"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "別の支払い方法を試す"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "注文を編集"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "支払い準備エラー"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "再度支払いを試す"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "支払いを処理しています"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "準備しています"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "お支払いのリーダーを準備しています"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "カードを挿入"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "カードを提示"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "カードをタップ"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "カードをタップまたは挿入"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "カードをタップ、スワイプ、または挿入"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "支払い準備完了"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Reader が接続されていません"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "この支払いを処理するには、リーダーを接続するか現金を選択してください。"; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "注文を確認中"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "準備しています"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "注文の合計金額が、ご使用のカードに請求可能な最低金額 (%1$@) を下回っています。 代わりに現金でお支払いいただくことができます。"; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "カード決済ができません"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "注文の確認中にエラーが発生しました"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "もう一度お試しください"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "しばらくお待ちください"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "閉じる"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "端末設定を開く"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Bluetooth の権限が必要"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "キャンセル"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "リーダーに接続できませんでした"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "再試行"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "キャンセル"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "リーダーのバッテリー残量が非常に少なくなっています。 リーダーを充電するか、別のリーダーをお試しください。"; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "もう一度試す"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "リーダーに接続できませんでした"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "キャンセル"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "端末設定を開く"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "位置情報サービスのパーミッションは、不正行為を減らし、係争を防いで、支払いを安全に行うために必要です。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "位置情報サービスを有効にして支払いを許可"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "閉じる"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "連携に失敗しました"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "キャンセル"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "住所を入力"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "更新後に再試行"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "続行するにはストアの住所を修正してください"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "キャンセル"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "ストアの郵便番号は「wp-admin」>「WooCommerce」>「設定 (一般)」で設定できます"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "更新後に再試行"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "ストアの郵便番号を修正してください"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "続行"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "このオプションは設定アプリで後から変更できます。"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "位置情報サービスのパーミッションは、不正行為を減らし、係争を防いで、支払いを安全に行うために必要です。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "位置情報サービスを有効にして支払いを許可"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "しばらくお待ちください..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "リーダーに接続しています"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "完了"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Reader 接続済み"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "キャンセル"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "接続"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "複数の Reader が見つかりました"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Reader をスキャンしています"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "キャンセル"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "リーダーに接続"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "このリーダーに接続しますか ?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "検索を続行"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ が見つかりました"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "キャンセル"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "更新が完了すると、リーダーが自動的に再度起動し接続されます"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% 完了"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "ソフトウェアを更新しています"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "分かりました"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% 完了"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "ソフトウェアが更新されました"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "キャンセル"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "もう一度試す"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "リーダーのソフトウェアを更新できませんでした"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "リーダーのバッテリー残量が少なくなっているため (%.0f%%)、リーダーの更新に失敗しました。 リーダーを充電してからもう一度お試しください。"; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "キャンセル"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "バッテリー残量が少なくなっているため、リーダーの更新に失敗しました。 リーダーを充電してからもう一度お試しください。"; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "もう一度お試しください"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "リーダーを充電してください"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "閉じる"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "リーダーのソフトウェアを更新できませんでした"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "キャンセルする"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "支払いを受け取るには、カードリーダーのソフトウェアを更新する必要があります。 キャンセルするとリーダーの接続がブロックされます。"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% 完了"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "ソフトウェアを更新しています"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "閉じる"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "リーダーに接続できませんでした"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "閉じる"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "ネットワークエラーにより、支払いが正常に完了したかどうかを確認できません。"; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "ネットワークに接続された端末で注文を再確認してから続行してください。"; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "この注文は失敗した可能性があります"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "合計: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "現金での支払い"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "支払いを完了としてマーク"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "支払いを処理しようとしたところ、エラーが発生しました。 もう一度お試しください。"; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "しばらくお待ちください"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Reader の接続を解除"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "POS を終了"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "サポートを受ける"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "注文"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "商品はどこにありますか ?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Reader 接続済み"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "読者とつながる"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "接続を切断中"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "設定"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "ドキュメント"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "削除"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "読み込み中…"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "注文を編集"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "クーポンを適用できません"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "クーポンを削除"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "クーポンを削除"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "合計を読み込めませんでした"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "もう一度お試しください"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "%1$@のカード支払いが正常に行われました。"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "%1$@の現金支払いが正常に行われました。"; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "支払いに成功しました"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "送信"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "領収書をメールで送信"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "有効なメールアドレスを入力してください。"; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "このメールを送信しようとしたところ、エラーが発生しました。 もう一度お試しください。"; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "メールアドレスを入力"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "キャンセル"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "キャンセル"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "不明"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "モバイルでの支払いの承認についてさらに詳しく"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "ドキュメント"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "リーダーが接続されていません"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "カードリーダー"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "バーコードスキャナー設定を構成"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "バーコードスキャナー"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "カードリーダーの接続を管理"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "カードリーダー"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "ハードウェア"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "バッテリー"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "モデル"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "POS のバーコードスキャンについてさらに詳しく"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "ドキュメント"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "バーコードスキャナーの設定とテスト"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "スキャナー設定"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "バーコードスキャナー"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "未設定"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "住所"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "メールアドレス"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "未設定"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "電話番号"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "住所"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "領収書情報"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "ストア名"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "返金および返品ポリシー"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "情報を保存"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "ストア名"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "ストア"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "設定"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "ハードウェアの接続を管理"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "ハードウェア"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "ヘルプとサポートを利用"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "ヘルプ"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "カタログ設定を管理"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "カタログ"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "ストアの構成と設定"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "ストア"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "バーコードスキャン"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• iOS Bluetooth 設定で Bluetooth バーコードスキャナーを参照します。"; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "1: iOS Bluetooth 設定で Bluetooth バーコードスキャナーを参照します。"; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "外部スキャナーを使用してバーコードをスキャンし、お買い物カゴをすばやく作成できます。"; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• アイテムリストでバーコードをスキャンして、商品をお買い物カゴに追加します。"; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "2: アイテムリストでバーコードをスキャンして、商品をお買い物カゴに追加します。"; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• バーコードのスキャン中に検索フィールドが有効になっていないことを確認します。"; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "3: バーコードのスキャン中に検索フィールドが有効になっていないことを確認します。"; - -/* 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」フィールドでバーコードを設定します。"; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "ドキュメントに移動"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "商品の在庫タブの「GTIN、UPC、EAN、ISBN」フィールドでバーコードを設定できます。 詳細については、%1$@。"; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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" = "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.2" = "• Bluetooth バーコードスキャナーの手順を参照して HID モードを設定します。 これは通常、マニュアルの特別なバーコードをスキャンする必要があります。"; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "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 設定でバーコードスキャナーを接続します。"; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "戻る"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "バーコードスキャナーでスキャンするコードの画像。"; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "商品のスキャンを開始する準備ができました。 次回スキャナーを接続する場合は、電源を入れるだけで自動的に再接続されます。"; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "スキャナーが設定されました !"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "完了"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "戻る"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "スキャナーのマニュアルを確認し、工場出荷時の設定にリセットしてから、設定フローを再試行してください。"; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "再試行"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "スキャンの問題が見つかりました"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "バーコードスキャナーを使用して下のコードをスキャンし、Bluetooth HID モードを有効化します。"; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "次"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "その他"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "バーコードスキャナーを使用して下のコードをスキャンし、ペアリングモードに入ります。"; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Bluetooth を有効にし、iOS の Bluetooth 設定で %1$@ スキャナーを選択します。 スキャナーがペアリングされると、ビープ音が鳴り、LED が点灯状態になります。"; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "端末設定に移動"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "スキャナーをペアリング"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "商品にバーコードを設定する方法"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "商品にバーコードを設定する方法"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "スキャナーの設定"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "スキャナーの設定"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "その他のスキャナー"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "バーコードスキャナーを設定"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "リストからモデルを選択します:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "スター精密 BSH-20"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "バーコードをスキャンしてスキャナーをテストします。"; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "バーコードをスキャンしてスキャナーをテストします。 問題が解決しない場合は、Bluetooth 設定を確認してもう一度お試しください。"; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "スキャンデータが見つかりません"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "スキャナーをテスト"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "商品をタップして\n お買い物カゴに追加します"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "商品をタップして\n お買い物カゴに追加するか "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "お買い物カゴ"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "バーコードをスキャンする"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "購入手続き"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "カートをクリア"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "インターネットに接続していません"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "キャンセル"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "クーポンを作成"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "進行中の注文はすべて失われます。"; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "終了"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "販売時点管理モードを終了しますか ?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "POS を終了"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "POS 機能を有効化"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "再試行"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "続行するには POS を有効にする必要があります。 以下または「WooCommerce 設定」>「高度な設定」>「機能」の WordPress 管理画面から POS 機能を有効にして、再試行してください。"; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "この問題を解決するには、アプリを再起動してみてください。"; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "サイト設定情報を読み込めませんでした。 ネットワーク接続を確認して、もう一度お試しください。 問題が解決しない場合は、サポートにご連絡ください。"; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "POS システムはストアの通貨では利用できません。 %1$@ では、現在、%2$@ のみをサポートしています。 ストアの通貨設定を確認するか、サポートにお問い合わせください。"; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "お使いの WooCommerce バージョンはサポートされていません。 POS システムには WooCommerce バージョン %1$@以上が必要です。 最新バージョンの WooCommerce に更新してください。"; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "WooCommerce プラグイン情報を読み込めませんでした。 WordPress 管理画面から WooCommerce プラグインをインストールおよび有効化してください。 問題が解決しない場合は、サポートにご連絡ください。"; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "読み込めません"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "ネットワーク接続を確認して、もう一度お試しください。"; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "クーポンを有効化できません"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "クーポンをこれ以上読み込めません"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "商品をこれ以上読み込めません"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "商品を読み込めません"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "バリエーションをこれ以上読み込めません"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "バリエーションを読み込めません"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "クーポンを更新できません"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "もう一度お試しください。"; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "クーポンを有効化"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "ストアでクーポンコードを有効にして、顧客向けのクーポンコードの作成を開始します。"; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "クーポンの受け付けを開始"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "クーポンを読み込めません"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "再試行"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "商品"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "クーポンを検索"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "商品を検索"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "検索"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "クーポン"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "商品"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "あなたのストアを検索"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "人気商品"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "最近の検索"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "閉じる"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "注文ステータス: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "表示する注文がありません"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "注文"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "商品"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "合計"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "割引合計: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "割引合計"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "タップして注文受領をメールで送信"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "領収書をメールで送信"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "注文日: %1$@、ステータス: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "顧客のメールアドレス: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "支払額 (正味): %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "支払額 (正味)"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "支払い合計: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "決済方法: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "支払い合計"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "数量: %1$@ (各%2$@、合計%3$@)"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "商品"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "商品"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "理由: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "返金済み: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "理由: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "返金済み"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "商品小計: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "税額: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "税"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "注文合計: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "合計"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "合計"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "追加の注文を読み込めません"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "注文を読み込めません"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "再読み込み"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "検索キーワードを調整してみてください。"; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "検索に一致する注文が見つかりませんでした。"; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "注文がありません"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "POS で売上の処理を開始すると、注文がここに表示されます。"; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "注文はまだありません"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "タップして注文詳細を表示"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "注文番号%1$@、合計%2$@、%3$@、ステータス: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "メールアドレス: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "注文"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "注文を検索"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "注文を検索"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "オプションを使用可能"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "その名前のクーポンは見つかりませんでした。検索語句を調整してみてください。"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "クーポンはビジネスを促進する効果的な方法になり得ます。 作成しますか ?"; - -/* 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を終了して「商品」に移動します。"; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "バリエーション名は検索できないため、親商品名を使用してください。"; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "一致する商品が見つかりませんでした。検索語句を調整してみてください。"; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "商品が見つかりません"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "現在、POS はシンプルな商品とバリエーションのある商品のみに対応しています。"; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "サポート対象の商品が見つかりません"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "追加するには、POS を終了して「商品」タブからこの商品を編集します。"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS は有効化されたダウンロード不可のバリエーションのみに対応しています。"; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "サポート対象のバリエーションが見つかりません"; - -/* 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" = "検索をクリア"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "ストア管理で注文を作成"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "サポート対象でない商品の支払いを受け取るには、POS を終了して注文タブから新しい注文を作成します。"; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "他の商品タイプは今後のアップデートで利用可能になります。"; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "現在、POS で使用できるのはダウンロード不可のシンプルな商品とバリエーションのある商品のみです。"; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "商品が表示されないのはなぜですか ?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ の在庫あり"; - -/* 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" = "新しい注文"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "領収書をメールで送信"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "現金での支払い"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "割引合計"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "小計"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "税"; - -/* Title for total amount field */ -"pos.totalsView.total" = "合計"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "画面の分割を調整して、販売時点管理のスペースを拡大してください。"; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "販売時点管理は、この画面幅ではサポートされていません。"; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "携帯データの完全更新を許可"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "カタログのサイズ"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "カタログのステータス"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "最終の完全更新"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "最終更新"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "データ使用量の管理"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "カタログの手動更新"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "この更新は、何かがおかしいと思われる場合にのみ使用します。POS はデータを自動的に最新の状態に保ちます。"; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "カタログを更新"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "カタログ設定"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "商品%1$d点、バリエーション%2$ld点"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "カタログのサイズを利用できません"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "更新されませんでした"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "更新日を利用できません"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "閉じる"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "販売時点管理"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "ウェブ購入手続き"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP 管理画面"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "キャンセル"; diff --git a/WooCommerce/Resources/ko.lproj/Localizable.strings b/WooCommerce/Resources/ko.lproj/Localizable.strings index d8239f9b800..2abcd4545a2 100644 --- a/WooCommerce/Resources/ko.lproj/Localizable.strings +++ b/WooCommerce/Resources/ko.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-10 09:54:05+0000 */ +/* Translation-Revision-Date: 2025-10-21 09:54:17+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: ko_KR */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "예약 메모"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "아니요, 유지합니다"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "예, 취소합니다"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ 님은 더 이상 %3$@에 열리는 \"%2$@\"에 참석할 수 없습니다."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "예약 취소"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "청구 주소"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "예약 취소"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "이메일 주소 복사됨"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "고객"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "결제"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "환불 발행"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "결제됨으로 표시"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "환불됨으로 표시"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "서비스"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "주문 보기"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "전화"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "전화번호 복사됨"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "복사"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "이 번호로 전화를 걸 수 없습니다."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "예약"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "성"; -/* 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" = "스토어 시작"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "플러그인"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "설명서"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "고객 지원"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "POS에서 지원되는 제품에 대해 알아보기"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "내 상품은 어디에 있나요?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "취소"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "도움말"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "인기순"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "결제 수단에서 자동 환불을 지원하지 않습니다. 고객에게 금액을 수동으로 송금하여 환불을 완료하세요."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "결제가 취소되었습니다."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "결제가 중단되었으며 계속할 수 없습니다. 주문 화면에서 결제를 다시 시도하실 수 있습니다."; @@ -6709,21 +6710,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 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$@) 미만입니다."; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "결제를 처리할 수 없습니다. 주문 총액이 유효하지 않습니다."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "결제를 처리할 수 없습니다. 이 주문은 이미 결제되어서 추가로 결제하면 고객에게 주문 금액이 두 번 청구됩니다."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "결제를 처리할 수 없습니다. 결제 시스템에 연결할 수 없었습니다. 이 오류가 계속 발생하면 지원팀에 문의하세요."; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "해당 URL에서 워드프레스 사이트를 읽을 수 없습니다. '더 많은 도움이 필요하세요?'를 눌러 FAQ를 보세요."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "다시 시도"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "해당 이름으로 된 예약을 찾을 수 없습니다. 더 많은 결과를 보려면 검색어를 조정해 보세요."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "설정을 가져오는 중 오류 발생"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "날짜: 최신 순"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "날짜: 오래된 순"; + /* Tab title for all bookings */ "bookingListView.all" = "전체"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "필터와 일치하는 예약이 없습니다. 조정해서 더 많은 결과를 확인하세요."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "예약 없음"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "오늘은 예정된 약속이나 이벤트가 없습니다."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "오늘 예약 없음"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "아직 예정된 약속이나 이벤트가 없습니다."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "예정된 예약 없음"; + /* Button to filter the booking list */ "bookingListView.filter" = "필터"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "예약 검색"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "정렬 기준"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "미결제"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "비회원"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "예약"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "가변 구독"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "진행 중"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "취소"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "결제를 시작한 이후로 주문 총액이 변경되었습니다. 돌아가서 주문이 정확한지 확인하고 다시 결제를 시도해 주세요."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "변경 기한: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Blaze 캠페인용 상품을 선택합니다."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "연결 문제 해결"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "%@에 만료됨"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "주소"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "매출 증대"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "2분 정도 소요되는 설문 조사를 통해 경험을 공유하고 개선할 수 있도록 도와주세요."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "POS가 잘 작동하나요?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "마음에 드는 기능을 구현할 수 있도록 2분 정도 소요되는 설문 조사에 참여해 주세요."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "대면 판매를 생각하고 계신가요?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "상품 이미지가 아직 백그라운드에서 업로드되고 있습니다. 업로드 속도가 느려지고 오류가 발생할 수 있습니다. 최상의 결과를 얻으려면 업로드가 완료될 때까지 앱을 열어 두세요."; @@ -10310,1164 +10332,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "스캐너가 줄 끝 문자를 보내지 않았음"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "네트워크 요청 실패"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "인터넷에 연결되지 않음"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "변형에 대한 상위 상품을 찾을 수 없음"; - -/* 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" = "지원되지 않는 아이템 유형"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "판독기에서 결제 취소됨"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "다시 결제 시도"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "카드 삽입됨"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "결제 준비됨"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "리더 연결"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "결제 처리 중"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "취소"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "카드 리더를 켜려면 전원 버튼만 누르면 됩니다."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "리더 스캔 중"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "새 주문"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "다시 결제 시도"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "네트워크 오류로 인해 결제가 성공했는지 확인할 수 없습니다. 네트워크가 제대로 연결된 기기에서 결제를 확인하세요. 실패한 경우 결제를 다시 시도하세요. 성공한 경우 새 주문을 시작하세요."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "결제 오류"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "체크아웃으로 돌아가기"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "결제 실패"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "다른 결제 수단 시도"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "다시 결제 시도"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "이 거래를 계속 처리하려면 결제를 다시 시도하세요."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "결제 실패"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "다른 결제 수단 시도"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "주문 수정"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "결제 준비 오류"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "다시 결제 시도"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "결제 처리 중"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "준비 중"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "결제용 리더 준비 중"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "카드 삽입"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "카드 제시"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "카드 가볍게 대기"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "카드 가볍게 대기 또는 삽입"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "카드 가볍게 대기, 긋기 또는 삽입"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "결제 준비"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "리더가 연결되지 않음"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "이 결제를 처리하려면 리더를 연결하거나 현금을 선택하세요."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "주문 확인하기"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "준비 중"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "주문 총액이 카드에 청구할 수 있는 최소 금액(%1$@) 미만입니다. 그 대신 현금 결제는 진행하실 수 있습니다."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "카드 결제 진행 불가"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "주문을 확인하는 중 오류 발생"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "다시 시도"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "기다려 주세요."; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "해제"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "기기 설정 열기"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "블루투스 권한 필수"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "취소"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "리더를 연결할 수 없음"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "다시 시도"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "취소"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "리더의 배터리 잔량이 너무 부족합니다. 배터리를 충전하거나 다른 리더를 사용해 보세요."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "다시 시도"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "리더를 연결할 수 없음"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "취소"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "기기 설정 열기"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "사기를 줄이고, 분쟁을 방지하고, 안전한 결제를 확보하려면 위치 서비스 권한이 필요합니다."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "결제가 허용되도록 위치 서비스 활성화"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "해제"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "연결 실패"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "취소"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "주소 입력"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "업데이트 후 다시 시도"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "계속하려면 스토어 주소를 수정하세요."; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "취소"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "wp 관리자 > 우커머스 > 설정(일반)에서 스토어의 우편번호를 설정할 수 있습니다."; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "업데이트 후 다시 시도"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "스토어의 우편번호를 수정하세요."; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "계속"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "나중에 설정 앱에서 이 옵션을 변경할 수 있습니다."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "사기를 줄이고, 분쟁을 방지하고, 안전한 결제를 확보하려면 위치 서비스 권한이 필요합니다."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "결제가 허용되도록 위치 서비스 활성화"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "기다려주세요..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "리더에 연결 중"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "완료"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "리더 연결됨"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "취소"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "연결"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "리더를 몇 개 찾음"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "리더 스캔 중"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "취소"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "리더에 연결"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "이 리더에 연결하시겠어요?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "계속 검색"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@을(를) 찾음"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "취소"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "업데이트를 완료하면 리더가 자동으로 다시 시작하고 다시 연결됩니다."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% 완료"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "소프트웨어 업데이트 중"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "이해했습니다."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% 완료"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "소프트웨어 업데이트됨"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "취소"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "다시 시도"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "리더의 소프트웨어를 업데이트할 수 없습니다."; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "배터리가 %.0f%% 충전되어 리더를 업데이트하지 못했습니다. 리더를 충전한 후 다시 시도해 주세요."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "취소"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "배터리 잔량 부족으로 리더를 업데이트하지 못했습니다. 리더를 충전한 후 다시 시도해 주세요."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "다시 시도"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "리더를 충전하세요."; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "해제"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "리더의 소프트웨어를 업데이트할 수 없습니다."; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "강제 취소"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "결제 대금을 수령하려면 카드 리더 소프트웨어를 업데이트해야 합니다. 취소하면 리더 연결이 차단됩니다."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% 완료"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "소프트웨어 업데이트 중"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "해제"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "리더를 연결하지 못했음"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "닫기"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "네트워크 오류로 인해 결제 성공 여부를 알 수 없습니다."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "계속하기 전에 네트워크에 연결된 기기에서 주문을 다시 확인하세요."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "이 주문은 실패했을 수 있습니다."; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "합계: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "현금 결제"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "결제 완료로 표시"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "결제 처리 시도 중 오류가 발생했습니다. 다시 시도하세요."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "기다려 주세요."; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "리더 연결 해제"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "POS 종료"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "고객 지원"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "주문"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "내 상품은 어디에 있나요?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "리더 연결됨"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "리더 연결"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "연결 해제 중"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "설정"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "설명서"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "제거"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "로드 중"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "주문 수정"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "쿠폰을 적용할 수 없음"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "쿠폰 제거"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "쿠폰 제거"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "합계를 로드할 수 없음"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "다시 시도"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "%1$@의 카드 결제가 완료되었습니다."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "%1$@의 현금 결제가 완료되었습니다."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "결제 성공"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "보내기"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "이메일로 영수증 보내기"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "유효한 이메일을 입력하세요."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "이 이메일 발송 시도 중 오류가 발생했습니다. 다시 시도하세요."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "이메일 주소 입력"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "취소"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "취소"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "알 수 없음"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "모바일 결제 수락에 대해 더 알아보기"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "설명서"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "리더가 연결되지 않음"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "카드 리더"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "바코드 스캐너 설정 구성"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "바코드 스캐너"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "카드 판독기 관리"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "카드 리더"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "하드웨어"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "배터리"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "모델"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "POS의 바코드 스캔에 대해 더 알아보기"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "설명서"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "바코드 스캐너 구성 및 테스트"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "스캐너 설정"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "바코드 스캐너"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "설정 안 함"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "주소"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "이메일"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "설정 안 함"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "전화번호"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "실제 주소"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "영수증 정보"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "스토어 이름"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "환불 및 반품 정책"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "스토어 정보"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "스토어 이름"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "스토어"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "설정"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "하드웨어 연결 관리"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "하드웨어"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "도움말 및 지원"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "도움말"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "카탈로그 설정 관리"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "카탈로그"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "스토어 구성 및 설정"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "스토어"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "바코드 스캔 중"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• iOS 블루투스 설정에서 블루투스 바코드 스캐너를 조회합니다."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "첫째: iOS 블루투스 설정에서 블루투스 바코드 스캐너를 조회합니다."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "외부 스캐너로 바코드를 스캔하여 빠르게 장바구니를 만들 수 있습니다."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• 아이템 목록에 있는 동안 바코드를 스캔하여 장바구니에 상품을 추가합니다."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "둘째: 아이템 목록에 있는 동안 바코드를 스캔하여 장바구니에 상품을 추가합니다."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• 바코드를 스캔하는 동안 검색 필드가 활성화되지 않았는지 확인합니다."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "셋째: 바코드를 스캔하는 동안 검색 필드가 활성화되지 않았는지 확인합니다."; - -/* 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\" 필드에서 바코드를 설정합니다."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "설명서로 이동"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "상품의 일람표 탭의 GTIN, UPC, EAN, ISBN 필드에서 바코드를 설정할 수 있습니다. 자세히 알아보려면 %1$@하세요."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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.2" = "• 블루투스 바코드 스캐너의 지침을 참조하여 HID 모드를 설정합니다. 일반적으로 매뉴얼에 있는 특수 바코드를 스캔해야 합니다."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "둘째: 블루투스 바코드 스캐너의 지침을 참조하여 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 블루투스 설정에서 바코드 스캐너를 연결합니다."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "뒤로"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "바코드 스캐너로 스캔할 코드의 이미지입니다."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "상품 스캔을 시작할 준비가 되었습니다. 다음에 스캐너를 연결해야 할 때는 스캐너만 켜면 자동으로 다시 연결됩니다."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "스캐너가 설정되었습니다!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "완료"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "뒤로"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "스캐너의 설명서를 확인하고 공장 설정으로 초기화한 다음에 설정 절차를 다시 시도하세요."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "다시 시도"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "스캔 문제 찾음"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "바코드 스캐너로 아래의 코드를 스캔하여 블루투스 HID 모드를 활성화합니다."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "다음"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "기타"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "바코드 스캐너로 아래의 코드를 스캔하여 페어링 모드로 전환합니다."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "블루투스를 활성화하고 OS 블루투스 설정에서 %1$@ 스캐너를 선택합니다. 페어링되면 스캐너에서 신호음이 울리며 단색 LED가 표시됩니다."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "기기 설정으로 이동"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "스캐너 페어링"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "상품에 대한 바코드를 설정하는 방법"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "상품에 대한 바코드를 설정하는 방법"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "스캐너 설정"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "스캐너 설정"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "기타 스캐너"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "바코드 스캐너 설정"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "목록에서 모델 선택:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "바코드를 스캔하여 스캐너를 테스트합니다."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "바코드를 스캔하여 스캐너를 테스트합니다. 문제가 계속되면 블루투스 설정을 확인하고 다시 시도하세요."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "아직 스캔 데이터를 찾을 수 없음"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "스캐너 테스트"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "상품을 눌러 \n 장바구니에 추가"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "상품을 탭하기\n 장바구니에 추가하거나 "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "장바구니"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "바코드 스캔"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "체크아웃"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "장바구니 지우기"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "인터넷에 연결되지 않음"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "취소"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "쿠폰 생성"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "진행 중인 주문이 모두 손실됩니다."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "종료"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "판매 지점 모드를 종료할까요?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "POS 종료"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "POS 활성화"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "다시 시도"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "계속하려면 판매 지점을 활성화해야 합니다. 아래 또는 우커머스 설정 > 고급 > 기능의 워드프레스 관리자에서 POS 기능을 활성화하고 다시 시도하세요."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "앱을 다시 시작하여 이 문제를 해결해 보세요."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "사이트 설정 정보를 로드할 수 없었습니다. 인터넷 연결을 확인하고 다시 시도하세요. 문제가 계속 발생하는 경우 도움이 필요하면 지원을 문의하세요."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "스토어의 통화에는 POS 시스템을 사용할 수 없습니다. %1$@에서는 현재 %2$@만 지원됩니다. 스토어 통화 설정을 확인하거나 도움이 필요하면 지원을 문의해 주세요."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "회원님의 우커머스 버전은 지원되지 않습니다. POS 시스템에는 우커머스 버전 %1$@ 이상이 필요합니다. 우커머스를 최신 버전으로 업데이트하세요."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "우커머스 플러그인 정보를 로드할 수 없습니다. 워드프레스 관리자에서 우커머스 플러그인이 설치되고 활성화되었는지 확인하세요. 문제가 계속 발생하는 경우 도움이 필요하면 지원을 문의하세요."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "로드할 수 없음"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "인터넷 연결을 확인하고 다시 시도하세요."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "쿠폰을 활성화할 수 없음"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "추가 쿠폰을 로드할 수 없음"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "추가 상품을 로드할 수 없음"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "상품을 로드할 수 없음"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "추가 변형을 로드할 수 없음"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "변형을 로드할 수 없음"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "쿠폰을 새로 고칠 수 없음"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "다시 시도해 주세요."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "쿠폰 활성화"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "스토어에서 쿠폰 코드를 활성화하여 고객용 생성을 시작하세요."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "쿠폰 수락 시작"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "쿠폰을 로드할 수 없음"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "다시 시도"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "상품"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "쿠폰 검색"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "상품 검색"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "검색"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "쿠폰"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "상품"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "스토어 검색"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "인기 상품"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "최근 검색 항목"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "해제"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "주문 상태: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "표시할 주문 없음"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "주문"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "상품"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "합계"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "할인 합계: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "할인 합계"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "눌러서 이메일로 주문 영수증 보내기"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "이메일로 영수증 보내기"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "주문 날짜: %1$@, 상태: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "고객 이메일: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "순 결제: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "순 결제"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "총 결제 금액: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "결제 수단: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "총 결제 금액"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "수량: %1$@개, 각 %2$@개, 총 %3$@개"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "상품"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "상품"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "이유: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "환불: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "사유: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "환불됨"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "상품 소계: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "세금: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "세금"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "주문 합계: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "합계"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "합계"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "주문을 더 로드할 수 없음"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "주문을 로드할 수 없음"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "새로 고침"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "검색어를 조정해 보세요."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "검색과 일치하는 주문을 찾을 수 없습니다."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "주문을 찾을 수 없음"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "POS에서 판매 처리를 시작하면 여기에 주문이 표시됩니다."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "아직 주문 없음"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "눌러서 주문 상세 정보 보기"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "주문 #%1$@, 총 %2$@, %3$@, 상태: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "이메일: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "주문"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "주문 검색"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "주문 검색"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "사용 가능한 옵션"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "해당 이름의 쿠폰을 찾을 수 없습니다. 검색어를 조정해 보세요."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "쿠폰은 비즈니스를 촉진하는 효과적인 방법이 될 수 있습니다. 만드시겠어요?"; - -/* 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를 종료하고 상품으로 이동하세요."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "변형 이름은 검색할 수 없으니 상위 상품 이름을 사용하세요."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "일치하는 상품을 찾을 수 없습니다. 검색어를 조정해 보세요."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "상품을 찾을 수 없음"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "현재 POS에서는 단순 및 변형 상품만 지원합니다."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "지원되는 상품을 찾을 수 없음"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "변형을 추가하려면 POS를 종료하고 상품 탭에서 이 상품을 편집하세요."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS에서는 다운로드할 수 없는 활성화된 변형만 지원합니다."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "지원되는 변형을 찾을 수 없음"; - -/* 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" = "검색 지우기"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "스토어 관리에서 주문 생성"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "지원되지 않는 상품에 대한 결제를 받으려면 POS를 종료하고 주문 탭에서 새 주문을 생성하세요."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "기타 상품 유형은 향후 업데이트에서 이용할 수 있게 될 예정입니다."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "현재 POS에서는 다운로드할 수 없는 단순 및 변형 상품만 사용할 수 있습니다."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "왜 내 상품이 보이지 않나요?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ 재고 있음"; - -/* 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" = "새 주문"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "이메일로 영수증 보내기"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "현금 결제"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "할인 총 금액"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "소계"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "세금"; - -/* Title for total amount field */ -"pos.totalsView.total" = "합계"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "판매 지점을 위해 더 많은 공간을 확보할 수 있도록 화면 분할을 조정해 주세요."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "이 화면 폭에서는 판매 지점이 지원되지 않습니다."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "셀룰러 데이터로 전체 업데이트 허용"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "카탈로그 크기"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "카탈로그 상태"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "최근 전체 업데이트"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "최근 업데이트"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "데이터 사용 관리"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "수동 카탈로그 업데이트"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "뭔가 이상해 보일 때만 이 새로 고침을 사용하세요. POS에서는 자동으로 데이터가 최신 상태로 유지됩니다."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "카탈로그 새로 고침"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "카탈로그 설정"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d 상품, %2$ld개 변형"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "카탈로그 크기가 제공되지 않음"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "업데이트되지 않음"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "업데이트 날짜가 제공되지 않음"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "닫기"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "판매 지점"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "웹 결제"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP 관리자"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "취소"; diff --git a/WooCommerce/Resources/nl.lproj/Localizable.strings b/WooCommerce/Resources/nl.lproj/Localizable.strings index 20efd58065e..cb5a924f825 100644 --- a/WooCommerce/Resources/nl.lproj/Localizable.strings +++ b/WooCommerce/Resources/nl.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-15 12:52:07+0000 */ +/* Translation-Revision-Date: 2025-10-21 15:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: nl */ @@ -874,12 +874,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Opmerkingen bij boeking"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Nee, houden"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Ja, annuleren"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ kan niet meer deelnemen aan '%2$@' op %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Boeking annuleren"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Factuuradres"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Boeking annuleren"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "E-mailadres gekopieerd"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Klant"; @@ -904,12 +919,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Betaling"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Restitueren"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Markeren als betaald"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Markeren als terugbetaald"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Dienst"; @@ -922,6 +937,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Bestelling bekijken"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Bellen"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Telefoonnummer gekopieerd"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Kopiëren"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Dit nummer kon niet worden gebeld."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Geboekt"; @@ -1358,6 +1385,9 @@ which should be translated separately and considered part of this sentence. */ /* Description of the billing and billing frequency for a subscription product. Reads as: 'Every 2 months'. */ "CollapsibleProductRowCardViewModel.formattedBillingDetails" = "Elke %1$@ %2$@"; +/* Description of the free trial conditions for a subscription product. Reads as: '3 days free'. */ +"CollapsibleProductRowCardViewModel.formattedFreeTrial" = "%1$@ %2$@ gratis"; + /* Description of the signup fees for a subscription product. Reads as: '$5.00 signup'. */ "CollapsibleProductRowCardViewModel.formattedSignUpFee" = "%1$@ aanmeldkosten"; @@ -3279,9 +3309,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Achternaam"; -/* 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"; @@ -4506,26 +4533,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Documentatie"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Vraag om ondersteuning"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Bekijk welke producten worden ondersteund in POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Waar zijn mijn producten?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Annuleren"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Help"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Populair"; @@ -6135,9 +6142,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "De betaling was geannuleerd."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "De betaling is onderbroken en kan niet worden voortgezet. Je kan opnieuw proberen te betalen vanuit het bestelscherm."; @@ -6703,21 +6707,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Kan betaling niet verwerken. Totaalbedrag bestelling is niet geldig."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Kan betaling niet verwerken. Deze bestelling is al betaald, het aannemen van verdere betalingen heeft als resultaat dat de klant twee keer voor zijn bestelling betaalt."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Kan betaling niet verwerken. We konden geen verbinding maken met het betalingssysteem. Probeer het opnieuw of neem contact op met ondersteuning als het probleem aanhoudt."; - -/* 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$@"; - /* 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."; @@ -8622,12 +8611,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Probeer opnieuw"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "We konden geen boekingen vinden met die naam. Probeer je zoekterm aan te passen om meer resultaten te zien."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Fout bij het ophalen van de boekingen"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Datum: Nieuwste naar Oudste"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Datum: Oudste naar Nieuwste"; + /* Tab title for all bookings */ "bookingListView.all" = "Alles"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Er zijn geen boekingen die overeenkomen met je filters. Probeer ze aan te passen om meer resultaten te zien."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Geen boekingen gevonden"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Je hebt voor vandaag geen afspraken of evenementen gepland."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Geen boekingen vandaag"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Je hebt nog geen toekomstige afspraken of evenementen gepland."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Geen aankomende boekingen"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filteren"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Boekingen zoeken"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Sorteren op"; @@ -8661,6 +8683,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Onbetaald"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Gast"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Boekingen"; @@ -8712,9 +8737,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Variabel abonnement"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Bezig"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Annuleren"; @@ -8842,12 +8864,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Het totale aantal bestellingen is veranderd sinds de start van het betaalproces. Ga terug en controleer of de bestelling juist is. Probeer daarna opnieuw te betalen."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Wijziging als gevolg van: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Selecteert producten voor Blaze-campagne."; @@ -8941,9 +8957,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Problemen met verbinding oplossen"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Is vervallen op %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Adres"; @@ -9686,6 +9699,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Verhoog je omzet"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Deel je ervaring in een korte enquête van 2 minuten en help ons te verbeteren."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Hoe werkt POS voor jou?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Doe mee aan een korte enquête van 2 minuten om ons te helpen functies te ontwikkelen waar je van zal houden."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Denk je na over persoonlijke verkoop?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Je productafbeeldingen worden nog steeds op de achtergrond geüpload. De uploadsnelheid kan trager zijn en er kunnen fouten optreden. Voor de beste resultaten houd je de app open tot alle uploads zijn voltooid."; @@ -10304,1164 +10329,9 @@ 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" = "Streepjescode te kort"; - -/* Error message shown when scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "De scanner heeft geen regeleinde-teken verzonden"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Netwerkverzoek mislukt"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Geen internetverbinding"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Bovenliggend product niet gevonden voor variatie"; - -/* Error message shown when a scanned item is not found in the store. */ -"pointOfSale.barcodeScan.error.notFound" = "Onbekend gescand artikel"; - -/* Error message shown when parsing barcode data fails. */ -"pointOfSale.barcodeScan.error.parsingError" = "Streepjescode kon niet gelezen worden"; - -/* Error message when scanning a barcode fails for an unknown reason, before lookup. */ -"pointOfSale.barcodeScan.error.scanFailed" = "Scan mislukt"; - -/* Error message shown when a scanned item is of an unsupported type. */ -"pointOfSale.barcodeScan.error.unsupportedProductType" = "Niet-ondersteund artikeltype"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Betaling geannuleerd op lezer"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Probeer opnieuw te betalen"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Kaart ingevoerd"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Gereed voor betaling"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Verbind je lezer"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Betaling wordt verwerkt"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Annuleren"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Zet je kaartlezer aan door kort op de aan\/uit-knop te drukken."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Scannen op lezer"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Nieuwe bestelling"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Probeer opnieuw te betalen"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Vanwege een netwerkfout kunnen we niet bevestigen dat de betaling voltooid is. Verifieer de betaling op een apparaat dat verbonden is met het internet. Als dit niet lukt, probeer dan opnieuw te betalen. Als dit lukt, start dan een nieuwe bestelling."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Fout bij betaling"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Terug naar afrekenen"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Betaling mislukt"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Probeer een andere betaalmethode"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Probeer opnieuw te betalen"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Als je door wilt gaan met deze transactie verwerken, probeer dan opnieuw te betalen."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Betaling mislukt"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Probeer een andere betaalmethode"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Bestelling bewerken"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Fout bij betaling"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Probeer opnieuw te betalen"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Betaling wordt verwerkt"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Gereedmaken..."; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Lezer voorbereiden voor betaling"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Voer een kaart in"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Bied een kaart aan"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Tik met een kaart"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Tik of voer een kaart in"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Tik, veeg, of voer een kaart in"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Gereed voor betaling"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Lezer niet verbonden"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Kies voor contant geld of sluit je lezer aan om deze betaling te verwerken."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Bestelling controleren"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Gereedmaken..."; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Het totaalbedrag van de bestelling is minder dan het minimumbedrag dat je op een kaart kan rekenen. Dit minimumbedrag is %1$@ Je zult een contante betaling moeten aannemen."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Kaartbetaling kon niet worden aangenomen"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Fout bij bestelling controleren"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Opnieuw proberen"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Een moment geduld"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Afwijzen"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Apparaatinstellingen openen"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Bluetooth-machtiging vereist"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Annuleren"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "We konden geen verbinding maken met je lezer"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Opnieuw proberen"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Annuleren"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "De batterij van de reader is bijna leeg. Laad de reader op of probeer een andere reader."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Probeer opnieuw"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "We konden geen verbinding maken met je lezer"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Annuleren"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Apparaatinstellingen openen"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Toestemming voor locatiediensten is vereist om fraude en geschillen te voorkomen, en veilige betalingen te verzekeren."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Schakel locatiediensten in om betalingen mogelijk te maken"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Afwijzen"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Verbinding is mislukt"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Annuleren"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Voer adres in"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Opnieuw proberen na bijwerken"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Voer het juiste adres van je winkel in om door te gaan"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Annuleren"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Je kan de postcode van je winkel instellen via wp-admin > WooCommerce > Instellingen (Algemeen)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Opnieuw proberen na bijwerken"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Voer de juiste postcode van je winkel in"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Doorgaan"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Je kan dit later wijzigen in de instellingen."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Toestemming voor locatiediensten is vereist om fraude en geschillen te voorkomen, en veilige betalingen te verzekeren."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Schakel locatiediensten in om betalingen mogelijk te maken"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Een moment geduld"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Er wordt verbinding gemaakt met lezer"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Gereed"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Lezer verbonden"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Annuleren"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Verbinden"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Meerdere lezers gevonden"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Er wordt gescand op lezers"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Annuleren"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Verbinding maken met lezer"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Wil je verbinding maken met deze lezer?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Verder zoeken"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ gevonden"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Annuleren"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Uw lezer start na de update automatisch opnieuw op en maakt opnieuw verbinding"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% voltooid"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Software bijwerken"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Ik begrijp het"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% voltooid"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Software bijgewerkt"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Annuleren"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Probeer opnieuw"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "We konden de software van je lezer niet bijwerken"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "De lezer kon niet worden geüpdatet omdat de accu nog maar voor %.0f%% is opgeladen. Laad de lezer op en probeer het opnieuw."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Annuleren"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Een update aan de lezer is mislukt omdat het accuniveau te laag was. Laad de lezer op en probeer het opnieuw."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Opnieuw proberen"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Laad de lezer op"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Afwijzen"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "We konden de software van je lezer niet bijwerken"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Toch annuleren"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "De software van je kaartlezer moet worden bijgewerkt om betalingen te innen. Door te annuleren wordt de verbinding van je lezer geblokkeerd."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% voltooid"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Software bijwerken"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Afwijzen"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Verbinding maken met lezer mislukt"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Sluiten"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Vanwege een netwerkfout weten we niet of de betaling voltooid is."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Controleer de bestelling op een apparaat dat verbonden is met het internet voordat je verdergaat."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Deze bestelling is mogelijk mislukt"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Totaal: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Contante betaling"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Betaling markeren als voltooid"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Fout bij verwerken van betaling. Probeer het opnieuw."; - -/* A message shown on the coupon if's not valid after attempting to apply it */ -"pointOfSale.couponRow.invalidCoupon" = "Coupon niet toegepast"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Eerste instelling streepjescodescanner"; - -/* 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" = "Een moment geduld"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Lezer loskoppelen"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "POS afsluiten"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Vraag om ondersteuning"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Bestellingen"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Waar zijn mijn producten?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Verbonden met lezer"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Verbind je lezer"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Verbinding verbreken ..."; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Instellingen"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Documentatie"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Verwijderen"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Laden"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Bestelling bewerken"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Coupon kan niet worden toegepast"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Coupon verwijderen"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Verwijder coupons"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Kan totalen niet laden"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Opnieuw proberen"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Een kaartbetaling van %1$@ is voldaan."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Een contante betaling van %1$@ is voldaan."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Betaling gelukt"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Verzenden"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Betalingsbewijs e-mailen"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Voer een geldig e-mailadres in."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Fout bij verzenden van e-mail. Probeer het opnieuw."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "E-mailadres invoeren"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Annuleren"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Annuleren"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Onbekend"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Meer informatie over het aannemen van mobiele betalingen"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Documentatie"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Lezer niet verbonden"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Kaartlezers"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Instellingen streepjescodescanner configureren"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Streepjescodescanners"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Kaartlezerverbindingen beheren"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Kaartlezers"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hardware"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Batterij"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Model"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Meer informatie over streepjescodes scannen in POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Documentatie"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Configureer en test je streepjescodescanner"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Scanner ingesteld"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Streepjescodescanners"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Niet ingesteld"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Adres"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-mailadres"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Niet ingesteld"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Telefoonnummer"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Fysiek adres"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Gegevens betalingsbewijs"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Winkelnaam"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Terugbetaal- en retourneringsbeleid"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Winkelinformatie"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Winkelnaam"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Winkel"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Instellingen"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Hardwareverbindingen beheren"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hardware"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Krijg hulp en ondersteuning"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Help"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Catalogusinstellingen beheren"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Catalogus"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Winkelconfiguratie en -instellingen"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Winkel"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Streepjescode scannen"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Verbind je streepjescodescanner in de Bluetooth-instellingen van iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Eerste: verbind je streepjescodescanner in de Bluetooth-instellingen van iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Je kan streepjescodes scannen met een externe scanner om snel een winkelmandje samen te stellen."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Scan streepjescodes in de lijst met artikelen om producten aan het winkelmandje toe te voegen."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Tweede: scan streepjescodes in de lijst met artikelen om producten aan het winkelmandje toe te voegen."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Zorg ervoor dat het zoekveld niet is ingeschakeld tijdens het scannen van streepjescodes."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Derde: zorg ervoor dat het zoekveld niet is ingeschakeld tijdens het scannen van streepjescodes."; - -/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ -"pos.barcodeInfoModal.introMessage" = "Je kan streepjescodes scannen met een externe scanner om snel een winkelmandje samen te stellen."; - -/* Link text in the barcode info modal in POS, leading to more details about barcode setup */ -"pos.barcodeInfoModal.moreDetailsLink" = "Meer details."; - -/* Accessible version of more details link in barcode info modal, announcing it as a link for screen readers */ -"pos.barcodeInfoModal.moreDetailsLink.accessible" = "Meer details, link."; - -/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ -"pos.barcodeInfoModal.primaryMessage" = "• Stel via Producten > Productgegevens > Inventaris in het veld 'GTIN, UPC, EAN, ISBN' streepjescodes in. "; - -/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.primaryMessage.accessible" = "Stap 1: Stel in het veld 'G-T-I-N, U-P-C, E-A-N, I-S-B-N' streepjescodes in door naar Producten te gaan, vervolgens naar Productgegevens en dan naar Inventaris."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "bekijk de documentatie"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Je kan streepjescodes instellen in het veld GTIN, UPC, EAN, ISBN in het voorraadtabblad van het product. Voor meer informatie %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Je kan streepjescodes instellen in het veld G-T-I-N, U-P-C, E-A-N, I-S-B-N in het voorraadtabblad van het product. Bekijk voor meer informatie de documentatie, link."; - -/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ -"pos.barcodeInfoModal.quaternaryMessage" = "• Scan streepjescodes in de lijst met artikelen om producten aan het winkelmandje toe te voegen."; - -/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Stap 4: Scan streepjescodes in de lijst met artikelen om producten aan het winkelmandje toe te voegen."; - -/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ -"pos.barcodeInfoModal.quinaryMessage" = "De scanner simuleert een toetsenbord, dus soms wordt het softwaretoetsenbord niet weergegeven, bijvoorbeeld in de zoekbalk. Tik op het toetsenbordpictogram om het opnieuw weer te geven."; - -/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ -"pos.barcodeInfoModal.secondaryMessage.2" = "• Raadpleeg de instructies van je Bluetooth-streepjescodescanner om de HID-modus in te stellen. Dit vereist meestal het scannen van een speciale streepjescode in de handleiding."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Stap twee: Raadpleeg de instructies van je Bluetooth-streepjescodescanner om de HID-modus in te stellen. Dit vereist meestal het scannen van een speciale streepjescode in de handleiding."; - -/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ -"pos.barcodeInfoModal.tertiaryMessage" = "• Verbind je streepjescodescanner in de Bluetooth-instellingen van iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Stap 3: Verbind je streepjescodescanner in de Bluetooth-instellingen van iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Terug"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Afbeelding van een code die gescand moet worden door een streepjescodescanner."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Je bent klaar om producten te scannen. De volgende keer dat je je scanner moet aansluiten, hoef je hem alleen in te schakelen. Hij maakt dan automatisch opnieuw verbinding."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Scanner ingesteld!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Klaar"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Terug"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Raadpleeg de handleiding van de scanner en zet deze terug naar de fabrieksinstellingen. Probeer de scanner vervolgens opnieuw in te stellen."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Opnieuw proberen"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Scanprobleem gevonden"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Gebruik je streepjescodescanner om de onderstaande code te scannen om de Bluetooth HID-modus in te schakelen."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Volgende"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Overige"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Gebruik je streepjescodescanner om de onderstaande code te scannen en in de koppelmodus te komen."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Schakel Bluetooth in en selecteer je %1$@ scanner in de Bluetooth-instellingen van iOS. De scanner piept en toont een constant brandende led wanneer de scanner is gekoppeld."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Apparaatinstellingen openen"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Koppel je scanner"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Streepjescodes instellen op producten"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Streepjescodes instellen op producten"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Scanner-instelling"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Scanner-instelling"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Andere scanner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Een streepjescodescanner instellen"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Selecteer een model uit de lijst:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Scan de barcode om je scanner te testen."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Scan de barcode om je scanner te testen. Als het probleem zich blijft voordoen, controleer dan de Bluetooth-instellingen en probeer het opnieuw."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Nog geen scangegevens gevonden"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Test je scanner"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Tik op een product om het \n toe te voegen aan de winkelwagen"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Tik op een product om het \n toe te voegen aan de winkelwagen of "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Winkelwagen"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Streepjescode scannen"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Afrekenen"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Winkelwagen leegmaken"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Geen internetverbinding"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Annuleren"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Coupon aanmaken"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Alle bestellingen die nog in behandeling zijn, zullen verloren gaan."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Afsluiten"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Verkooppuntmodus afsluiten?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "POS afsluiten"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "POS-functie inschakelen"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Opnieuw proberen"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Point of Sale moet ingeschakeld zijn om door te gaan. Schakel de POS-functie in vanuit je WordPress-beheer onder WooCommerce-instellingen > Geavanceerd > Functies en probeer het opnieuw."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Probeer de app opnieuw te starten om dit probleem op te lossen."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "We konden de informatie over de site-instellingen niet laden. Controleer je internetverbinding en probeer het opnieuw. Neem contact op met de klantenservice als het probleem blijft bestaan."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Het POS-systeem is niet beschikbaar voor de valuta van je winkel. In %1$@ ondersteunt het momenteel slechts %2$@. Controleer de valuta-instellingen van je winkel of neem contact op met de ondersteuning voor hulp."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Je WooCommerce-versie wordt niet ondersteund. Het POS-systeem vereist WooCommerce-versie %1$@ of hoger. Werk WooCommerce bij naar de nieuwste versie."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "We konden de WooCommerce plugin-info niet laden. Zorg ervoor dat de WooCommerce-plugin is geïnstalleerd en geactiveerd vanuit je WordPress-beheer. Als er nog steeds een probleem is, neem dan contact op met ondersteuning voor hulp."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Kan niet laden"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Controleer je internetverbinding en probeer het opnieuw."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Coupons kunnen niet worden ingeschakeld"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Meer coupons kunnen niet worden geladen"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Meer producten kunnen niet worden laden"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Producten kunnen niet worden geladen"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Meer variaties kunnen niet worden geladen"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Variaties kunnen niet worden geladen"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Coupons kunnen niet worden vernieuwd"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Probeer het opnieuw."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Coupons inschakelen"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Schakel couponcodes in je winkel in om ze aan te maken voor je klanten."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Begin met het accepteren van coupons"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Coupons kunnen niet worden geladen"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Opnieuw proberen"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Producten"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Coupons zoeken"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Producten zoeken"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Zoeken"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Coupons"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Producten"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Doorzoek je winkel"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Populaire producten"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Recente zoekopdrachten"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Negeren"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Bestelstatus: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Geen bestelling om weer te geven"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Bestelling"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Producten"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totalen"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Totaal aan kortingen: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Totaal aan korting"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Tik om het betalingsbewijs via e-mail te verzenden"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Betalingsbewijs e-mailen"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Besteldatum: %1$@, status: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "E-mailadres klant: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Nettobetaling: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Netto betaling"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Totaal betaald: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Betaalmethode: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Totaal betaald"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Aantal: %1$@ voor elk %2$@, totaal %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Producten"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Producten"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Reden: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Terugbetaald: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Reden: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Terugbetaald"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Subtotaal producten: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Belastingen: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Belastingen"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Totaalbedrag bestelling: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Totaal"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totalen"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Kan niet meer bestelling laden"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Kan bestelling niet laden"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Vernieuwen"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Probeer je zoekterm aan te passen."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "We konden geen bestellingen vinden die aan je zoekopdracht voldoet."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Geen bestellingen gevonden"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Bestellingen verschijnen hier zodra je de verkoop in de POS verwerkt."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Nog geen bestellingen"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Tik hier voor bestelgegevens"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Bestelling #%1$@, totaal %2$@, %3$@, status: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-mail: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Bestellingen"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Bestellingen doorzoeken"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Bestellingen doorzoeken"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Beschikbare opties"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "We konden geen coupons met deze naam vinden. Probeer je zoekterm aan te passen."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Coupons kunnen effectief zijn voor je bedrijf. Wil je er een maken?"; - -/* Text appearing on the coupon list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsTitle2" = "Geen coupons gevonden"; - -/* Text for the button appearing on the products list screen when there are no products found. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsButtonTitle" = "Vernieuwen"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsHint.1" = "Verlaat POS en ga naar Producten om er een toe te voegen."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Variatienamen kunnen niet worden doorzocht, dus gebruik de bovenliggende productnaam."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "We konden geen overeenkomende producten vinden. Probeer je zoekterm aan te passen."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Geen producten gevonden"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS ondersteunt momenteel alleen simpele en variabele producten."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Geen ondersteunde producten gevonden"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Om er een toe te voegen, verlaat je POS en bewerk je dit product in het tabblad Producten."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS ondersteunt alleen ingeschakelde, niet-downloadbare variaties."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Geen ondersteunde variaties gevonden"; - -/* Text for the button appearing on the coupons list screen when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.noCouponsFoundButtonTitleButtonTitle" = "Coupon aanmaken"; - -/* 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" = "Zoekopdracht wissen"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Maak een bestelling aan in het winkelbeheer"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Verlaat POS en maak een nieuwe bestelling aan vanuit het tabblad Bestellingen om betalingen te ontvangen voor een niet-ondersteund product."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Andere producttypen worden in toekomstige updates beschikbaar gemaakt."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Alleen simpele en variabele niet-downloadbare producten zijn momenteel beschikbaar met POS."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Waarom kan ik mijn producten niet zien?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ op voorraad"; - -/* Label to be displayed in the product's card when out of stock */ -"pos.stockStatusLabel.outofstock" = "Niet op voorraad"; - /* Title for the Point of Sale tab. */ "pos.tab.title" = "POS"; -/* Button title for new order button */ -"pos.totalsView.button.newOrder" = "Nieuwe bestelling"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Betalingsbewijs e-mailen"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Contante betaling"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Totaal van kortingen"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Subtotaal"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Belastingen"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Totaal"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Pas de splitsing van het scherm aan om Point of Sale meer ruimte te geven."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Point of Sale wordt niet ondersteund op deze schermbreedte."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Volledige update via mobiele data toestaan"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Catalogusgrootte"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Catalogusstatus"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Laatste volledige update"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Laatst geüpdatet"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Gegevensgebruik beheren"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Handmatige update van catalogus"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Vernieuw alleen als er iets mis lijkt te zijn- POS houdt gegevens automatisch actueel."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Catalogus vernieuwen"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Catalogus-instellingen"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d producten, %2$ld variaties"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Catalogusgrootte niet beschikbaar"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Niet geüpdatet"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Datum niet beschikbaar updaten"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Sluiten"; @@ -11903,6 +10773,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Verkooppunt"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Online afrekenen"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Annuleren"; diff --git a/WooCommerce/Resources/pt-BR.lproj/Localizable.strings b/WooCommerce/Resources/pt-BR.lproj/Localizable.strings index 1608a01b402..e46aaf719ef 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-10-17 04:03:41+0000 */ +/* Translation-Revision-Date: 2025-10-21 19:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=(n > 1); */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: pt_BR */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Anotações da reserva"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Não, continuar"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Sim, cancelar"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ não poderá mais participar de \"%2$@\" em %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Cancelar reserva"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Endereço de faturamento"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Cancelar reserva"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Endereço de e-mail copiado"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Cliente"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Pagamento"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Emitir reembolso"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Marcar como paga"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Marcar como reembolsada"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Serviço"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Ver pedido"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Ligar"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Número de telefone copiado"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Copiar"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Não foi possível ligar para este número."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Reservada"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Sobrenome"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Plugins"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Documentação"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Obter suporte"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Saiba quais produtos são aceitos no ponto de venda"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Onde estão meus produtos?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Cancelar"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Ajuda"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Popular"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "O pagamento foi cancelado."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "O pagamento foi interrompido e não pode ser retomado. Tente efetuar o pagamento novamente na tela do pedido."; @@ -6709,21 +6710,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 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$@."; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Não é possível processar o pagamento. O valor total do pedido não é válido."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Não é possível processar o pagamento. Este pedido já está pago. Fazer outro pagamento resultaria em uma cobrança dupla para o cliente pelo mesmo pedido."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Não é possível processar o pagamento. Não conseguimos nos conectar ao sistema de pagamento. Entre em contato com o suporte se o erro persistir."; - -/* 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$@"; - /* 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."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Tentar novamente"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Não foi possível encontrar uma reserva com esse nome. Mude o termo de pesquisa para ver mais resultados."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Erro ao buscar configurações..."; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Data: do mais recente para o mais antigo"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Data: do mais antigo para o mais recente"; + /* Tab title for all bookings */ "bookingListView.all" = "Tudo"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Nenhuma reserva corresponde aos seus filtros. Tente ajustá-los para ver mais resultados."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Nenhuma reserva encontrada"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Você não tem nenhum compromisso ou evento agendado para hoje."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Nenhuma reserva hoje"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Você ainda não tem compromissos ou eventos futuros agendados."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Nenhuma reserva futura"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filtrar"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Pesquisar reservas"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Ordenar por"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Não paga"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Visitante"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Reservas"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Assinatura variável"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Em andamento"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Cancelar"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "O total do pedido mudou ao começar o pagamento. Volte e verifique se o pedido está correto. Depois tente fazer o pagamento de novo."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Troco: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Seleciona o produto para uma campanha do Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Solucionar problema de conexão"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Expirou em %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Endereço"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Impulsione suas vendas"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Compartilhe sua experiência em uma pesquisa rápida de 2 minutos e nos ajude a melhorar."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Como o ponto de venda está funcionando para você?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Participe de uma pesquisa rápida de 2 minutos para nos ajudar a moldar funcionalidades que você vai adorar."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Pensando em vendas presenciais?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "O upload das suas imagens de produtos está ocorrendo em segundo plano. A velocidade de upload pode ser mais lenta e talvez ocorram erros. Para obter melhores resultados, mantenha o aplicativo aberto até que os uploads sejam concluídos."; @@ -10310,1164 +10332,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "O leitor não enviou um caractere de fim de linha"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Falha na solicitação de rede"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Sem conexão com a Internet"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Produto principal da variação não encontrado"; - -/* 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"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Pagamento cancelado no leitor"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Tentar pagar novamente"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Cartão inserido"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Pronto para o pagamento"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Conecte o seu leitor"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Processando pagamento"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Cancelar"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Para ligar o leitor de cartão, pressione rapidamente o botão de energia."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Procurando um leitor"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Novo pedido"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Tentar pagar novamente"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Devido a um erro de rede, não foi possível confirmar se o pagamento foi efetuado. Verifique o pagamento em um dispositivo que tenha conexão com a Internet. Se não foi concluído, refaça o pagamento. Se foi, faça um novo pedido."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Erro no pagamento"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Voltar ao pagamento"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Falha no pagamento"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Tentar outro método de pagamento"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Tentar pagar novamente"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Se quiser prosseguir com o processamento desta transação, tente refazer o pagamento."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Falha no pagamento"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Tentar outro método de pagamento"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Editar pedido"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Erro ao preparar o pagamento"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Tentar pagar novamente"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Processando pagamento"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Quase pronto"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Preparando o leitor para pagamento"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Inserir cartão"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Apresentar cartão"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Passar cartão"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Passe ou insira cartão"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Passe, insira ou aproxime o cartão"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Pronto para o pagamento"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Leitor não conectado"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Para processar esse pagamento, conecte seu leitor ou escolha pagamento em dinheiro."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Verificando pedido"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Quase pronto"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "O total do pedido está abaixo do valor mínimo que você pode cobrar no cartão, %1$@. Você pode aceitar o pagamento em dinheiro."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Não foi possível aceitar o pagamento por cartão"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Erro ao validar o pedido"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Tentar novamente"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Aguarde"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Ignorar"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Abrir configurações do dispositivo"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Permissão de Bluetooth obrigatória"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Cancelar"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Não foi possível conectar o leitor"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Tentar novamente"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Cancelar"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "O leitor está com a bateria muito baixa. Carregue o leitor ou tente um diferente."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Tentar novamente"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Não foi possível conectar o leitor"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Cancelar"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Abrir configurações do dispositivo"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "É necessário ter a permissão dos serviços de localização para diminuir as fraudes, evitar disputas e garantir a proteção dos pagamentos."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Ative os serviços de localização para permitir pagamentos"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Ignorar"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Falha na conexão"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Cancelar"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Informar endereço"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Tentar novamente após atualizar"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Corrija o endereço da sua loja para prosseguir"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Cancelar"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Você pode configurar o código postal (CEP) da sua loja em Painel WP-Admin > WooCommerce > Configurações (Geral)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Tentar novamente após atualizar"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Corrija o código postal (CEP) da sua loja"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Continuar"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "É possível alterar essa opção depois no app de configurações."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "É necessário ter a permissão dos serviços de localização para diminuir as fraudes, evitar disputas e garantir a proteção dos pagamentos."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Ative os serviços de localização para permitir pagamentos"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Aguarde..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Conectando o leitor"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Concluir"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Leitor conectado"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Cancelar"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Conectar"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Vários leitores encontrados"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Procurando leitores"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Cancelar"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Conectar-se ao leitor"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Deseja se conectar a este leitor?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Continuar pesquisando"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ encontrado"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Cancelar"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "O seu leitor será reiniciado e reconectado automaticamente após a atualização ser concluída."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% concluída"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Atualizando software"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Entendo"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% concluída"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Software atualizado"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Cancelar"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Tentar novamente"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Não foi possível atualizar o software do seu leitor"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Falha na atualização do leitor porque a bateria dele está em %.0f%%. Carregue o leitor e tente de novo."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Cancelar"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Falha na atualização do leitor porque a bateria dele está baixa. Carregue o leitor e tente de novo."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Tente novamente"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Carregue o leitor"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Ignorar"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Não foi possível atualizar o software do seu leitor"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Cancelar mesmo assim"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "É necessário atualizar o software do seu leitor de cartão para receber pagamentos. Se você cancelar, bloqueará a conexão do leitor."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% concluída"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Atualizando software"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Ignorar"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Falha na conexão do leitor"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Fechar"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Devido a um erro de rede, não foi possível confirmar o pagamento."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Antes de continuar, verifique novamente o pedido em um dispositivo com internet."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Parece que esse pedido não foi concluído"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Total: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Pagamento em dinheiro"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Marcar pagamento como concluído"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Erro ao tentar processar o pagamento. Tente novamente."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Configuração inicial do leitor 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"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Desconectar leitor"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Sair do PDV"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Obter suporte"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Pedidos"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Onde estão meus produtos?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Leitor conectado"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Conecte o seu leitor"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Desconectando"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Configurações"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Documentação"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Remover"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Carregando"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Editar pedido"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Não foi possível aplicar o cupom"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Remover cupom"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Remover cupons"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Não foi possível carregar o total"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Tentar novamente"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Um pagamento de %1$@ com cartão foi feito com sucesso."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Um pagamento de %1$@ em dinheiro foi feito com sucesso."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Pagamento bem-sucedido"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Enviar"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Enviar recibo por e-mail"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Digite um e-mail válido."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Erro ao tentar enviar este e-mail. Tente novamente."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Digite o e-mail"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Cancelar"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Cancelar"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Desconhecido"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Saiba mais sobre como aceitar pagamentos com dispositivo móvel"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Documentação"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Leitor não conectado"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Leitores de cartão"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Defina configurações do leitor de código de barras"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Leitores de código de barras"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Gerencie conexões do leitor de cartão"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Leitores de cartão"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hardware"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Bateria"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modelo"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Saiba mais sobre a leitura de código de barras nos pontos de venda"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Documentação"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Configure e teste seu leitor de código de barras"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Configuração do leitor"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Leitores de código de barras"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Não configurado"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Endereço"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-mail"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Não configurado"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Número de telefone"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Endereço físico"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Informações do recibo"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Nome da loja"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Política de reembolso e devoluções"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Informações da loja"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Nome da loja"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Loja"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Configurações"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Gerencie conexões de hardware"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hardware"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Obtenha ajuda e suporte"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Ajuda"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Gerenciar configurações do catálogo"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Catálogo"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Configurações da loja"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Loja"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Escaneamento de código de barras"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Confira seu scanner de código de barras Bluetooth nas configurações Bluetooth do iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Primeiro: confira seu scanner de código de barras Bluetooth nas configurações Bluetooth do iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Escaneie códigos de barra usando um scanner externo para criar rapidamente um carrinho."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Escaneie códigos de barras enquanto estiver na lista de itens para adicionar produtos ao carrinho."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Segundo: escaneie códigos de barras enquanto estiver na lista de itens para adicionar produtos ao carrinho."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Desative o campo de busca ao escanear códigos de barra."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Terceiro: certifique-se de que o campo de pesquisa não esteja ativado ao digitalizar códigos de barra."; - -/* 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."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "acesse a documentação"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Configure códigos de barras no campo \"GTIN, UPC, EAN, ISBN\" na aba de inventário do produto. Para obter mais detalhes, %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Configure códigos de barras no campo \"G-T-I-N, U-P-C, E-A-N, I-S-B-N\" na aba de inventário do produto. Para obter mais detalhes, consulte a documentação: link."; - -/* 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.2" = "• Consulte as instruções do scanner de código de barras Bluetooth para definir o modo HID. Isso geralmente requer a leitura de um código de barras especial no manual."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Segundo: consulte as instruções do scanner de código de barras Bluetooth para definir o modo HID. Isso geralmente requer a leitura de um código de barras especial no manual."; - -/* 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Voltar"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Imagem de um código a ser escaneado por um leitor de código de barras."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Tudo pronto para começar a escanear produtos. Na próxima vez que precisar conectar seu leitor, basta ligá-lo para reconectá-lo automaticamente."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Leitor configurado!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Concluído"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Voltar"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Verifique o manual do leitor e restaure-o para as configurações de fábrica. Depois, tente o configurá-lo novamente."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Tentar novamente"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Problema encontrado no escaneamento"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Use seu leitor de código de barras para escanear o código abaixo e ativar o modo HID do Bluetooth."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Avançar"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Outro"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Use o leitor de código de barras para escanear o código abaixo e entrar no modo de pareamento."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Ative o Bluetooth e selecione seu leitor %1$@ nas configurações de Bluetooth do iOS. O leitor emitirá um bipe, e o LED ficará aceso quando emparelhado."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Acesse as configurações do dispositivo"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Emparelhe seu leitor"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Como configurar códigos de barras em produtos"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Como configurar códigos de barras em produtos"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Configuração do leitor"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Configuração do leitor"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum NT-1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Outro leitor"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Configurar um leitor de código de barras"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Selecione um modelo na lista:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Escaneie o código de barras para testar seu leitor."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Escaneie o código de barras para testar seu leitor. Se o problema persistir, verifique as configurações Bluetooth e tente novamente."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Nenhum dado de escaneamento encontrado"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Teste seu leitor"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Toque no produto para\n adicionar ao carrinho"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Toque no produto para \n adicionar ao carrinho ou "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Carrinho"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Escanear código de barras"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Finalizar compra"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Limpar carrinho"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Sem conexão com a internet"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Cancelar"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Criar cupom"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Pedidos em andamento serão perdidos."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Sair"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Sair do modo de ponto de venda?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Sair do PDV"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Ativar funcionalidade PDV"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Tentar novamente"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "O ponto de venda deve estar ativado para prosseguir. Ative a funcionalidade de PDV abaixo ou pela administração do WordPress em Configurações do WooCommerce > Avançado > Funcionalidades e tente novamente."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Tente reiniciar o aplicativo para resolver esse problema."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Não foi possível carregar as informações de configurações do site. Verifique sua conexão com a Internet e tente novamente. Se o problema persistir, entre em contato com o suporte."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "O sistema PDV não está disponível para a moeda da sua loja. Em %1$@, atualmente só há suporte para %2$@. Verifique as configurações de moeda da sua loja ou entre em contato com o suporte para obter ajuda."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Sua versão do WooCommerce não é compatível. O sistema PDV requer o WooCommerce na versão %1$@ ou posterior. Atualize o WooCommerce para a versão mais recente."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Não foi possível carregar as informações do plugin do WooCommerce. Instale e ative o plugin do WooCommerce pela administração do WordPress. Se o problema persistir, entre em contato com o suporte para obter ajuda."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Não foi possível carregar"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Verifique sua conexão com a Internet e tente novamente."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Não foi possível ativar os cupons"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Não foi possível carregar mais cupons"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Não foi possível carregar mais produtos"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Não foi possível carregar os produtos"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Não foi possível carregar mais variações"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Não foi possível carregar variações"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Não foi possível atualizar os cupons"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Tente novamente."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Ativar cupons"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Ative os códigos de cupom na sua loja para começar a criar descontos para seus clientes."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Comece a aceitar cupons"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Não foi possível carregar os cupons"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Tentar novamente"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Produtos"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Pesquise cupons"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Pesquise produtos"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Pesquisar"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Cupons"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Produtos"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Pesquise na loja"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Produtos populares"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Pesquisas recentes"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Ignorar"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Status do pedido: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Nenhum pedido para exibir"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Pedido"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Produtos"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totais"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Desconto total: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Desconto total"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Toque para enviar o recibo do pedido por e-mail"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Enviar recibo por e-mail"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Data do pedido: %1$@, Status: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "E-mail do(a) cliente: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Pagamento líquido: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Pagamento líquido"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Total pago: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Forma de pagamento: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Total pago"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Quantidade: %1$@ a %2$@ cada, total %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Produtos"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Produtos"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Motivo: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Valor reembolsado: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Motivo: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Reembolsado"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Subtotal de produtos: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Impostos: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Impostos"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Total do pedido: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Total"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totais"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Não foi possível carregar mais pedidos"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Não foi possível carregar os pedidos"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Atualizar"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Tente ajustar o termo da pesquisa."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Não encontramos nenhum pedido que corresponda à sua pesquisa."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Nenhum pedido encontrado"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Os pedidos serão exibidos aqui assim que você iniciar o processamento de vendas no PDV."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Não há pedidos"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Toque para visualizar os detalhes do pedido"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Pedido #%1$@, Total %2$@, %3$@, Status: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-mail: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Pedidos"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Pesquisar pedidos"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Pesquisar pedidos"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Opções disponíveis"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Não foi possível encontrar nenhum cupom com esse nome. Mude o termo de pesquisa."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Cupons podem ser uma maneira eficaz de aumentar as vendas. Deseja criar um?"; - -/* 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."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Nomes de variação não podem ser pesquisados. Use o nome do produto principal."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Não foi possível encontrar nenhum produto correspondente. Mude o termo de pesquisa."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Nenhum produto encontrado"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "No momento, o ponto de venda só aceita produtos simples e variáveis."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Nenhum produto compatível encontrado"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Para adicionar, saia do ponto de venda e edite este produto na guia Produtos."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "O ponto de venda é compatível apenas com variações indisponíveis para download ativadas."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Não foram encontradas variações compatíveis"; - -/* 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"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Criar um pedido no gerenciamento da loja"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Para processar o pagamento de produtos incompatíveis, saia do ponto de venda e faça um novo pedido na guia de pedidos."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Outros tipos de produtos serão disponibilizados em atualizações futuras."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "No momento, apenas produtos variáveis e simples indisponíveis para download podem ser usados nos pontos de venda."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Por que não consigo ver meus produtos?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ em estoque"; - -/* 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"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Enviar recibo por e-mail"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Pagamento em dinheiro"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Desconto total"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Subtotal"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Impostos"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Total"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Ajuste sua divisão de tela para dar mais espaço para o ponto de venda."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Ponto de venda não tem compatibilidade com esta largura de tela."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Permitir atualização completa com dados móveis"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Tamanho do catálogo"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Status do catálogo"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Última atualização completa"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Última atualização"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Gerenciando o uso de dados"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Atualização manual do catálogo"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Use esta atualização somente quando algo parecer estranho. O PDV mantém os dados atualizados automaticamente."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Atualizar catálogo"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Configurações do catálogo"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d produtos, %2$ld variações"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Tamanho do catálogo indisponível"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Não atualizado"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Data de atualização indisponível"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Fechar"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Ponto de venda"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Finalização de compra online"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "Painel WP Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Cancelar"; diff --git a/WooCommerce/Resources/ru.lproj/Localizable.strings b/WooCommerce/Resources/ru.lproj/Localizable.strings index 3392997cc61..c12107e17f2 100644 --- a/WooCommerce/Resources/ru.lproj/Localizable.strings +++ b/WooCommerce/Resources/ru.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 04:03:27+0000 */ +/* Translation-Revision-Date: 2025-10-21 13: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 */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Примечания к бронированию"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Нет, не отменять"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Да, отменить"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ больше не сможет участвовать в мероприятии «%2$@» в %3$@. @@@@@ХОРОШО БЫ УТОЧНИТЬ, О ЧЁМ РЕЧЬ"; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Отменить бронирование"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Платёжный адрес"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Отменить бронирование"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "Адрес эл. почты скопирован"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Клиент"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Оплата"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Оформить возврат"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Отметить как оплаченное"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Отметить как возвращённое"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Сервис"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Просмотреть заказ"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Вызов"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Номер телефона скопирован"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Копировать"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Не удалось позвонить по этому номеру."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Забронировано"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Фамилия"; -/* 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" = "Запустите собственный магазин"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Плагины"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Документация"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Поддержка"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Товары, поддерживаемые в POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Где мои товары?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Отмена"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Справка"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Популярное"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "Этот способ оплаты не поддерживает автоматический возврат средств. Верните средства, отправив деньги покупателю вручную."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Платёж был отменён."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Оплата была прервана и не может быть продолжена. Повторите попытку оплаты на экране заказа."; @@ -6709,21 +6710,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 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$@)"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Не удалось обработать платеж. Недопустимая общая сумма заказа."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Не удалось обработать платёж. Этот заказ уже оплачен. Дальнейшие платёжные действия могут привести к тому, что с клиента будет дважды списана плата за заказ."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Не удалось обработать платёж. Не удалось подключиться к платёжной системе. Повторите попытку или обратитесь в службу поддержки, если эта ошибка произойдёт снова."; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "Не удалось найти веб-сайт WordPress по этому URL-адресу. Нажмите кнопку \"Нужна помощь?\", чтобы просмотреть ответы на часто задаваемые вопросы."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Повторить попытку"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Не удалось найти бронирования под этим названием. Уточните поисковый запрос, чтобы увидеть другие результаты."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Ошибка при получении бронирований"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Дата: от новых к старым"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Дата: от старых к новым"; + /* Tab title for all bookings */ "bookingListView.all" = "Все"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "Нет бронирований, соответствующих этим фильтрам. Настройте фильтры, чтобы увидеть другие результаты."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Бронирований не найдено"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Нет запланированных на сегодня встреч или мероприятий."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Нет бронирований на сегодня"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "У вас ещё нет запланированных встреч или мероприятий."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Нет бронирований на предстоящие дни"; + /* Button to filter the booking list */ "bookingListView.filter" = "Фильтр"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Поиск бронирований"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Сортировать по"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Не оплачено"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Гость"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Бронирование"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Подписка с вариантами"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Выполняется"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Отмена"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "С момента начала оплаты изменилась общая сумма заказа. Вернитесь назад и проверьте сведения о заказе, а затем начните заново процесс оплаты."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Сумма сдачи: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Отбирает товары для кампании Blaze."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Устранение неполадок при подключении"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Срок действия истёк %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Адрес"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Повышайте продажи"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Поделитесь мнением в ходе двухминутного опроса, чтобы мы могли помочь вам в работе."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Устраивает ли вас работа POS?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Пройдите двухминутный опрос, чтобы мы знали, какие функции вам необходимы."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Планируете очные продажи?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Изображения товаров по-прежнему загружаются в фоновом режиме. Скорость загрузки может быть низкой, возможны ошибки. Чтобы получить лучшие результаты, не закрывайте приложение до завершения загрузки."; @@ -10310,1161 +10332,6 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Сканер не отправил символ конца строки"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Не удалось выполнить запрос к сети"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Отсутствует подключение к Интернету"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Не найден родительский товар для варианта"; - -/* 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" = "Неподдерживаемый тип товара"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Платёж отменён на устройстве"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Повторить платёж"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Карта вставлена"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Готово к оплате"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Подключите платёжный терминал"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Обработка платежа"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Отмена"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Чтобы включить платёжный терминал, нажмите кнопку питания."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Поиск платёжного терминала"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Новый заказ"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Повторить платёж"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Из-за ошибки подключения не удалось подтвердить выполнение платежа. Проверьте платёж на устройстве, подключённом к Интернету. Если платёж не был выполнен, повторите его. Если платёж был выполнен, создайте новый заказ."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Ошибка платежа"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Назад к оформлению заказа"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Платёж отменён"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Попробуйте другой способ оплаты"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Повторить платёж"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Чтобы продолжить обработку этой транзакции, попробуйте повторить платёж."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Платёж отменён"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Попробуйте другой способ оплаты"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Изменить заказ"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Ошибка при подготовке платежа"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Повторить платёж"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Обработка платежа"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Подготовка"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Подготовка платёжного терминала к оплате"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Вставьте карту"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Предъявите карту"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Приложите карту"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Приложите или вставьте карту"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Проведите пальцем, приложите или вставьте карту"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Готово к оплате"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Устройство чтения не подключено"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Для обработки этого платежа подключите платёжный терминал или выберите вариант «Наличными»."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Проверка заказа"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Подготовка"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Общая сумма заказа меньше минимально допустимой суммы оплаты картой (%1$@) Можно оплатить заказ наличными."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Оплата банковскими картами не принимается"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Ошибка при проверке заказа"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Повторить попытку"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Подождите немного"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Закрыть"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Открыть настройки устройства"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Требуются права доступа к Bluetooth"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Отмена"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Не удалось подключиться к платёжному терминалу"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Повторить попытку"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Отмена"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Уровень заряда аккумулятора платёжного терминала слишком низок. Зарядите платёжный терминал или воспользуйтесь другим устройством."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Повторить попытку"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Не удалось подключиться к платёжному терминалу"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Отмена"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Открыть настройки устройства"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Необходимо разрешить службам определять местоположение, чтобы исключить мошенничество, предотвратить возникновение споров и обеспечить безопасность платежей."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Включите службы определения местоположения, чтобы разрешить платежи."; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Закрыть"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Подключение отменено"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Отмена"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Введите адрес"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Повторите попытку после обновления"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Укажите действительный адрес магазина, чтобы продолжить"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Отмена"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Вы можете указать почтовый индекс магазина в меню wp-admin > WooCommerce > Настройки (общие)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Повторите попытку после обновления"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Укажите действительный почтовый индекс магазина"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Продолжить"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Вы можете изменить эту опцию позднее в приложении «Настройки»."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Необходимо разрешить службам определять местоположение, чтобы исключить мошенничество, предотвратить возникновение споров и обеспечить безопасность платежей."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Включите службы определения местоположения, чтобы разрешить платежи."; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Подождите…"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Подключение к платёжному терминалу"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Готово"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Устройство чтения подключено"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Отмена"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Подключить"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Найдено несколько платёжных терминалов"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Поиск платёжных терминалов"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Отмена"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Подключиться к платёжному терминалу"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Подключить это устройство чтения?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Продолжить поиск"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "Найдено %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Отмена"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Платёжный терминал автоматически перезапустится и повторно подключится по завершении обновления."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% выполнено"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Обновление программного обеспечения"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Понятно"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% выполнено"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "ПО обновлено"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Отмена"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Повторить попытку"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Не удалось обновить ПО вашего платёжного терминала"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Не удалось обновить платёжный терминал, так как уровень заряда аккумулятора составляет %.0f%%. Зарядите аккумулятор платёжного терминала и повторите попытку."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Отмена"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Не удалось обновить платёжный терминал из-за низкого заряда аккумулятора. Зарядите аккумулятор платёжного терминала и повторите попытку."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Повторите попытку"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Необходимо зарядить платёжный терминал"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Закрыть"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Не удалось обновить ПО вашего платёжного терминала"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Всё равно отменить"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Для сбора платежей требуется обновить ПО вашего платёжного терминала. В случае отмены подключение платёжного терминала будет заблокировано."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% выполнено"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Обновление программного обеспечения"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Закрыть"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Сбой подключения к платёжному терминалу"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Закрыть"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Из-за ошибки подключения не удалось установить, был ли выполнен платёж."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Перед тем как продолжить, ещё раз проверьте заказ на устройстве, подключённом к Интернету."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Возможно, этот заказ не был выполнен"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Итого: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Оплата наличными"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Отметить платёж как выполненный"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Ошибка при попытке обработать платёж. Повторите попытку."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "Подождите немного"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Отключить устройство чтения"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Закрыть POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Поддержка"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Заказы"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Где мои товары?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Платёжный терминал подключён"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Подключите платёжный терминал"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Отключение"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Настройки"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Документация"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Удалить"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Загрузка"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Изменить заказ"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Не удалось применить купон"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Удалить купон"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Удалить купоны"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Ошибка при загрузке итоговой суммы"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Повторить попытку"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "Платёж банковской картой на сумму %1$@ выполнен успешно."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "Платёж наличными на сумму %1$@ выполнен успешно."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Платёж выполнен"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Отправить"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Отправить чек по эл. почте"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Введите правильный адрес эл. почты."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Ошибка при отправке сообщения по эл. почте. Попробуйте ещё раз."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Введите адрес эл. почты"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Отмена"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Отмена"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Неизвестно"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Подробнее о приёме мобильных платежей"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Документация"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Платёжный терминал не подключён"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Платёжные терминалы"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Настроить параметры сканера штрихкодов"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Сканеры штрихкодов"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Управление подключениями платёжного терминала"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Платёжные терминалы"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Оборудование"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Аккумулятор"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Модель"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Подробнее о сканировании штрихкодов в POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Документация"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Настройте и протестируйте сканер штрихкодов"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Настройка сканера"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Сканеры штрихкодов"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Не указано"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Адрес"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "Адрес эл. почты"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Не указано"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Номер телефона"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Физический адрес"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Данные чека"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Название магазина"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Правила возмещения средств и возврата товаров"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Сведения о магазине"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Название магазина"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Магазин"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Настройки"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Управление подключениями оборудования"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Оборудование"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Помощь и техническая поддержка"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Справка"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Управление настройками каталога"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Каталог"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Конфигурация и настройки магазина"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Магазин"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Сканирование штрихкодов"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Подключите сканер штрихкодов в настройках Bluetooth iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "Первое. Подключите сканер штрихкодов в настройках Bluetooth iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Чтобы быстро сформировать корзину, можно сканировать штрихкоды внешним сканером."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Сканируйте штрихкоды в списке товаров, чтобы добавлять товары в корзину."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "Второе. Сканируйте штрихкоды в списке товаров, чтобы добавлять товары в корзину."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Убедитесь, что поле поиска не включено при сканировании штрихкодов."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Третье. Убедитесь, что поле поиска не включено при сканировании штрихкодов."; - -/* 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», перейдя в раздел «Товары», затем в «Сведения о товаре» и «Запасы»."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "сверьтесь с документацией"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Можно настроить штрихкоды в поле «GTIN, UPC, EAN, ISBN» на вкладке запасов товара. Дополнительные сведения: %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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.2" = "• Чтобы установить режим HID, обратитесь к инструкциям по эксплуатации сканера штрихкодов Bluetooth. Обычно для этого требуется отсканировать специальный штрихкод в руководстве."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Второе: чтобы установить режим 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Назад"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Изображение: код для чтения сканером штрихкодов."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Вы можете начинать сканировать товары. В следующий раз, когда вам потребуется сканер, просто включите его и он подключится автоматически."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Сканер настроен!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Готово"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Назад"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Сверьтесь с инструкцией по эксплуатации сканера и верните его к заводским параметрам, а затем повторите процедуру настройки."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Повторить"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Обнаружена ошибка сканирования"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Чтобы активировать режим Bluetooth HID, отсканируйте код ниже своим сканером штрихкодов."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Далее"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Другой"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Чтобы войти в режим подключения, отсканируйте код ниже своим сканером штрихкодов."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Включите Bluetooth и выберите свой сканер %1$@ в настройках iOS Bluetooth. При подключении сканер издаёт звуковой сигнал и постоянно горит светодиод."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Открыть настройки устройства"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Подключение сканера"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Настройка штрихкодов товаров"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Настройка штрихкодов товаров"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Настройка сканера"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Настройка сканера"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Другой сканер"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Настройка сканера штрихкодов"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Выберите модель из списка."; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Отсканируйте штрихкод, чтобы проверить работу сканера."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Отсканируйте штрихкод, чтобы проверить работу сканера. Если проблема не решена, проверьте настройки Bluetooth и повторите попытку."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Данных сканирования не найдено"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Проверить сканер"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "Нажмите на товар, чтобы \n добавить его в корзину"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Нажмите на товар, чтобы \n добавить его в корзину, или "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Корзина"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Сканировать штрихкод"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Оформить"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Очистить корзину"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Отсутствует подключение к Интернету"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Отмена"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Создать купон"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Все заказы, которые находятся в процессе выполнения, будут потеряны."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Выход"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Выйти из режима «Пункт продажи»?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Выйти из режима POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Включить функцию POS"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Повторить"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Чтобы продолжить, необходимо активировать режим Point of Sale (Пункт продажи). Включите режим POS ниже или в консоли WordPress в разделе «Настройки WooCommerce > Расширенные > Функции» и повторите попытку."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Попробуйте перезапустить приложение, чтобы решить эту проблему."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Не удалось загрузить сведения о настройках сайта. Проверьте подключение к Интернету и повторите попытку. Если решить проблему не удалось, обратитесь в службу поддержки."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "Система POS не поддерживает валюту вашего магазина. В %1$@ сейчас поддерживается только %2$@. Проверьте настройки валюты магазина или обратитесь за помощью в службу поддержки."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Ваша версия WooCommerce не поддерживается. Для работы системы POS требуется WooCommerce версии %1$@ или более поздней. Обновите WooCommerce до последней версии."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Не удалось загрузить сведения о плагине WooCommerce. Необходимо установить плагин WooCommerce и активировать его через учётную запись администратора WordPress. Если решить проблему не удалось, обратитесь в службу поддержки."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Не удалось загрузить"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Проверьте подключение к Интернету и повторите попытку."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Не удалось активировать купоны"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Не удалось загрузить дополнительные купоны"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Не удалось загрузить дополнительные товары"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Не удалось загрузить товары"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Не удалось создать дополнительные варианты"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Не удалось загрузить варианты"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Не удалось обновить купоны"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Повторите попытку."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Активировать купоны"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Активируйте коды купонов в вашем магазине, чтобы создавать их для клиентов."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Начать принимать купоны"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Не удалось загрузить купоны"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Повторить"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Товары"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Поиск купонов"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Поиск товаров"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Поиск"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Купоны"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Товары"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Поиск по магазину"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "Популярные товары"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Недавние запросы поиска"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Закрыть"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Статус заказа: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Нет заказов для отображения"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Заказ"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Товары"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Итого"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Итоговая скидка: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Итоговая скидка"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Нажмите, чтобы отправить чек заказа по электронной почте"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Отправить чек по эл. почте"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Дата заказа: %1$@, статус: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Адрес электронной почты клиента: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Платёж нетто: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Платёж нетто"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Уплачено: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Способ оплаты: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Уплачено"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Количество: %1$@ по %2$@ за шт., итого %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Товары"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Товары"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Причина: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Сумма возврата: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Причина: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Возвращённые средства"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Подытог по товарам: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Налоги: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Налоги"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Общая сумма заказа: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Итого"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Итого"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Не удалось загрузить другие заказы"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Не удалось загрузить заказы"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Обновить"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Уточните поисковый запрос."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "По этому запросу заказов не найдено."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Заказов не обнаружено"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Заказы появятся здесь, как только вы начнёте обрабатывать продажи в POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Нет заказов"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Коснитесь, чтобы открыть сведения о заказе"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Заказ № %1$@ на сумму %2$@, %3$@, статус: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "Эл. почта: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "№ %1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Заказы"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Поиск по заказам"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Поиск по заказам"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Доступные опции"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Не удалось найти купоны под этим названием. Попробуйте уточнить поисковый запрос."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Купоны могут эффективно способствовать развитию бизнеса. Хотите создать купон?"; - -/* 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 и откройте «Товары»"; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Невозможно выполнить поиск по названиям вариантов, воспользуйтесь названием родительского товара."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Не удалось найти подходящие товары. Попробуйте уточнить поисковый запрос."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Товаров не найдено"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "В данный момент POS поддерживает только простые товары и товары с вариантами."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Нет поддерживаемых товаров"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Чтобы добавить вариант, выйдите из режима POS и отредактируйте товар на вкладке «Товары»."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "В режиме POS поддерживаются только активированные варианты товаров, не подлежащих загрузке."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Поддерживаемых вариантов не найдено"; - -/* 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" = "Очистить поле поиска"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Создать заказ в разделе «Управление магазином»"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Чтобы принять платёж за товар, относящийся к неподдерживаемой категории, выйдите из режима POS и создайте новый заказ в таблице заказов."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Другие типы товаров станут доступны в ближайших обновлениях."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "В данный момент в режиме POS поддерживаются только товары, не подлежащие загрузке: простые и с вариантами."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Почему я не вижу свои товары?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ в наличии"; - -/* Label to be displayed in the product's card when out of stock */ -"pos.stockStatusLabel.outofstock" = "Нет в наличии"; - -/* Button title for new order button */ -"pos.totalsView.button.newOrder" = "Новый заказ"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Отправить чек по эл. почте"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Оплата наличными"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Итоговая скидка"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Подытог"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Налоги"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Итого"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Настройте разделённый экран, чтобы места для режима «Пункт продажи» было больше."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Режим «Пункт продажи» не поддерживается при данной ширине экрана."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Разрешить полное обновление по сотовым данным"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Размер каталога"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Статус каталога"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Последнее полное обновление"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Последнее обновление"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Управление использованием данных"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Обновление каталога вручную"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Пользуйтесь функцией обновления, только когда замечаете, что что-то не так: POS автоматически поддерживает актуальность данных."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Обновить каталог"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Настройки каталога"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "Товаров: %1$d, вариантов: %2$ld"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Размер каталога неизвестен"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Не обновлена"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Дата обновления неизвестна"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Закрыть"; @@ -11906,6 +10773,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Пункт продажи"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Онлайн-оформление заказа"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "Консоль WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Отмена"; diff --git a/WooCommerce/Resources/sv.lproj/Localizable.strings b/WooCommerce/Resources/sv.lproj/Localizable.strings index 47b1135d0d3..a3efa2eedfe 100644 --- a/WooCommerce/Resources/sv.lproj/Localizable.strings +++ b/WooCommerce/Resources/sv.lproj/Localizable.strings @@ -1,4 +1,4 @@ -/* Translation-Revision-Date: 2025-10-17 04:03:08+0000 */ +/* Translation-Revision-Date: 2025-10-21 13:54:04+0000 */ /* Plural-Forms: nplurals=2; plural=n != 1; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: sv_SE */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "Bokningsanteckningar"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "Nej, behåll det"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "Ja, avbryt nu"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ kommer inte längre att kunna delta i ”%2$@” på %3$@."; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "Avbryt bokning"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "Faktureringsadress"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "Avbryt bokning"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "E-postadress kopierad"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "Kund"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "Betalning"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "Utfärda återbetalning"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Markera som betald"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "Markera som återbetald"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Tjänst"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "Visa beställning"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "Ring"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "Telefonnummer kopierat"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "Kopiera"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "Kunde inte ringa till detta nummer."; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "Bokad"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Efternamn"; -/* 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"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Tillägg"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Dokumentation"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Skaffa support"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "Läs om vilka produkter som stöds i POS"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Var är mina produkter?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "Avbryt"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Hjälp"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "Populära"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Betalningen har avbrutits."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Betalningen avbröts och kan inte återupptas. Du kan försöka genomföra betalningen igen från beställningsskärmen."; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Det gick inte att bearbeta betalningen. Det totala beloppet för beställningen är inte giltigt."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Det gick inte att behandla betalningen. Den här beställningen är redan betald. Att ta emot ytterligare betalning skulle resultera i att kunden debiteras två gånger för sin beställning."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Det gick inte att behandla betalningen. Vi kunde inte ansluta till betalningssystemet. Kontakta supporten om problemet kvarstår."; - -/* 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$@"; - /* 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."; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "Försök igen"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "Vi kunde inte hitta några rabattkoder med det namnet — prova att justera din sökterm."; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "Det gick inte att hämta bokningar"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "Datum: nyaste till äldsta"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "Datum: äldsta till nyaste"; + /* Tab title for all bookings */ "bookingListView.all" = "Alla"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "No bookings match your filters. Try adjusting them to see more results."; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "Inga bokningar hittades"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "Du har inga möten eller händelser schemalagda för idag."; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "Inga bokningar idag"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "Du har inga framtida möten eller händelser schemalagda än."; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "Inga kommande bokningar"; + /* Button to filter the booking list */ "bookingListView.filter" = "Filtrera"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "Sök bokningar"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "Sort by"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "Obetald"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "Gäst"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "Bokningar"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Variabel prenumeration"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Pågår"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "Avbryt"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Det totala beställningsbeloppet har ändrats sedan betalningen inleddes. Gå tillbaka och kontrollera att beställningen är korrekt och försök sedan betala igen."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Växel: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Välj produkter för Blaze-kampanj."; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Felsök anslutning"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "Upphörde den %@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Adress"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "Öka din försäljning"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "Share your experience in a quick 2-minute survey and help us improve."; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "Hur fungerar POS för dig?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "Gör en snabb 2-minuters undersökning för att hjälpa oss att forma funktioner som du kommer att älska."; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "Thinking about in-person sales?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "Dina produktbilder laddas fortfarande upp i bakgrunden. Uppladdningshastigheten kan vara långsammare och det kan uppstå fel. För bästa resultat, behåll appen öppen tills uppladdningarna är klara."; @@ -10310,1164 +10332,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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Skannern skickade inte något radslutstecken"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "Nätverksbegäran misslyckades"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "Ingen internetanslutning"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Överordnad produkt hittades inte för variationen"; - -/* 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"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Betalning avbruten på läsare"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Försök att genomföra betalningen igen"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Kort isatt"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Redo för betalning"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Anslut din läsare"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Behandlar betalning"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "Avbryt"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "För att starta din kortläsare, tryck kort på dess strömknapp."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Skannar efter läsare"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Ny beställning"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Försök med betalningen igen"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "På grund av ett nätverksfel kan vi inte bekräfta att betalningen lyckades. Verifiera betalningen på en enhet med fungerande nätverksanslutning. Om det misslyckas, försök genomföra betalningen igen. Om det lyckas, starta en ny beställning."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Betalningsfel"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Gå tillbaka till kassa"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Betalning misslyckades"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Prova med en annan betalningsmetod"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Försök med betalningen igen"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Om du vill fortsätta med transaktionen, försök att genomföra betalningen igen."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Betalning misslyckades"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Prova annan betalningsmetod"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Redigera beställning"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Fel vid betalningsförberedelse"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Försök att genomföra betalningen igen"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Behandlar betalning"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Förbereder"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Förbereder läsare för betalning"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Sätt in kort"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Presentera kort"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Tryck kort"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Tryck eller sätt i kort"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Tryck, svep eller sätt i kort"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Redo för betalning"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Läsare inte ansluten"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "För att behandla den här betalningen, anslut din läsare eller välj kontantbetalning."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Kontrollerar beställning"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Förbereder"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Det totala beställningsbeloppet understiger minimibeloppet för kortdebitering, vilket är %1$@. Du kan ta emot en kontantbetalning istället."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Kunde inte ta emot kortbetalning"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Fel vid kontroll av order"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Prova igen"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Vänta"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Avfärda"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Öppna enhetens inställningar"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Bluetooth-behörighet krävs"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "Avbryt"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Vi kunde inte ansluta din läsare"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Försök igen"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "Avbryt"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Batterinivån i läsaren är mycket låg. Ladda läsaren eller prova en annan läsare."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Försök igen"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Vi kunde inte ansluta din läsare"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "Avbryt"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Öppna enhetens inställningar"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Det krävs behörighet för platstjänster för att begränsa bedrägerier, förhindra tvister och säkerställa säkra betalningar."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Aktivera platstjänster för att tillåta betalningar"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Avfärda"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Anslutning misslyckades"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "Avbryt"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Ange adress"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Försök igen efter uppdatering"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Korrigera din butiksadress för att fortsätta"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "Avbryt"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Du kan ange din butiks postnummer i WP-admin > WooCommerce > Inställningar (Allmänt)"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Försök igen efter uppdatering"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Korrigera din butiks postnummer"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Fortsätt"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Du kan ändra det här alternativet senare i appen för Inställningar."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Det krävs behörighet för platstjänster för att begränsa bedrägerier, förhindra tvister och säkerställa säkra betalningar."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Aktivera platstjänster för att tillåta betalningar."; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Vänta …"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Ansluter till läsare"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Klar"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Läsare ansluten"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "Avbryt"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Anslut"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Flera läsare hittades"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Skannar efter läsare"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "Avbryt"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Anslut till läsare"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Vill du ansluta till denna läsare?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Fortsätt söka"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "Hittade %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "Avbryt"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Din läsare kommer att startas om automatiskt och sedan återansluta när uppdateringen är klar"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% slutfört"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Uppdaterar programvara"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Jag förstår"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% slutfört"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Programvaran har uppdaterats"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "Avbryt"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Försök igen"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Vi kunde inte uppdatera din läsares programvara"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "En läsaruppdatering misslyckades eftersom läsarens batteri endast är laddat till %.0f%%. Ladda läsaren och försök sedan igen."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "Avbryt"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "En läsaruppdatering misslyckades eftersom läsarens batterinivå är låg. Ladda läsaren och försök sedan igen."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Försök igen"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Ladda läsare"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Avfärda"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Vi kunde inte uppdatera din läsares programvara"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Avbryt ändå"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Din kortläsarprogramvara behöver uppdateras för att du ska kunna ta emot betalningar. Om du avbryter blockeras din läsaranslutning."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% slutfört"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Uppdaterar programvara"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Avfärda"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Det gick inte att ansluta läsaren"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Stäng"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "På grund av ett nätverksfel vet vi inte om betalningen lyckades."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Dubbelkolla beställningen på en enhet med nätverksanslutning innan du fortsätter."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Denna beställning kan ha misslyckats"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Totalt: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Kontant betalning"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Markera betalning som slutförd"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Det gick inte att behandla betalningen. Försök igen."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "Initial konfiguration av streckkodsskanner"; - -/* 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"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Koppla från läsare"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "Avsluta POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Skaffa support"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Beställningar"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Var är mina produkter?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Läsare ansluten"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Anslut din läsare"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Kopplar ifrån"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Inställningar"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Dokumentation"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Ta bort"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Laddar in"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Redigera beställning"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Kan inte tillämpa rabattkod"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Ta bort rabattkod"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Ta bort rabattkoder"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Det gick inte att hämta summor."; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Försök igen"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "En kortbetalning på %1$@ har genomförts."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "En kontantbetalning på %1$@ har genomförts."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Betalning lyckades"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Skicka"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Kvitto via e-post"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Ange en giltig e-post."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Ett fel uppstod när e-postmeddelandet skulle skickas. Försök igen."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "Skriv e-post"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "Avbryt"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "Avbryt"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Okänt"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Lär dig mer om att ta emot mobila betalningar"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Dokumentation"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Läsare inte ansluten"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Kortläsare"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Konfigurera streckkodsskannerinställningar"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Streckkodsskanners"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Hantera kortläsaranslutningar"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Kortläsare"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Hårdvara"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Batteri"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Modell"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "Läs mer om streckkodsskanning i POS"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Dokumentation"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Konfigurera och testa din streckkodsskanner"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Skannerkonfiguration"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Streckkodsläsare"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Inte inställt"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Adress"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-post"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Inte inställt"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Telefonnummer"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Fysisk adress"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Kvittoinformation"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Butiksnamn"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Återbetalnings- och returpolicy"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Butiksinformation"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Butiksnamn"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Butik"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Inställningar"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Hantera hårdvaruanslutningar"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Hårdvara"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Skaffa hjälp och support"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Hjälp"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Hantera kataloginställningar"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Katalog"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Butikskonfiguration och inställningar"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Butik"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Streckkodsskanning"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• Se din Bluetooth-streckkodsskanner i Bluetooth-inställningarna för iOS."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "För det första: Se din Bluetooth-streckkodsskanner i Bluetooth-inställningarna för iOS."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Du kan skanna streckkoder med hjälp av en extern skanner för att snabbt skapa en varukorg."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Skanna streckkoder när du är i artikellistan för att lägga till produkter i varukorgen."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "För det andra: Skanna streckkoder när du är i artikellistan för att lägga till produkter i varukorgen."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Se till att sökfältet inte är aktiverat när du skannar streckkoder."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "För det tredje: Se till att sökfältet inte är aktiverat när du skannar streckkoder."; - -/* Introductory message in the barcode info modal in POS, explaining the use of external barcode scanners */ -"pos.barcodeInfoModal.introMessage" = "Du kan skanna streckkoder med hjälp av en extern skanner för att snabbt skapa en varukorg."; - -/* 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."; - -/* Primary bullet point in the barcode info modal in POS, instructing where to set up barcodes in product details */ -"pos.barcodeInfoModal.primaryMessage" = "• Ställ in streckkoder i fältet \"GTIN, UPC, EAN, ISBN\" i Produkter > Produktinformation > Lager. "; - -/* Accessible version of primary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.primaryMessage.accessible" = "Ett: Ställ in streckkoder i fältet \"GTIN, UPC, EAN, ISBN\" genom att navigera till Produkter > Produktinformation > Lager."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "besök dokumentationen"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Du kan konfigurera streckkoder i fältet \"GTIN, UPC, EAN, ISBN\" på produktens lagerflik. För mer information, %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Du kan konfigurera streckkoder i fältet \"GTIN, UPC, EAN, ISBN\" på produktens lagerflik. För mer information, se dokumentationslänken."; - -/* Quaternary bullet point in the barcode info modal in POS, instructing to scan barcodes on item list to add to cart */ -"pos.barcodeInfoModal.quaternaryMessage" = "• Skanna streckkoder när du är i artikellistan för att lägga till produkter i varukorgen."; - -/* Accessible version of quaternary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.quaternaryMessage.accessible" = "Fyra: Skanna streckkoder när du är i artikellistan för att lägga till produkter i varukorgen."; - -/* Quinary message in the barcode info modal in POS, explaining scanner keyboard emulation and how to show software keyboard again */ -"pos.barcodeInfoModal.quinaryMessage" = "Skannern emulerar ett tangentbord, så ibland kommer det att förhindra programvaran tangentbordet från att visas, t.ex. i sökningar. Tryck på tangentbordsikonen för att visa det igen."; - -/* Secondary bullet point in the barcode info modal in POS, instructing to set scanner to HID mode */ -"pos.barcodeInfoModal.secondaryMessage.2" = "• Se instruktionerna för Bluetooth-streckkodsskannern för att ställa in HID-läge. Detta kräver vanligtvis skanning av en speciell streckkod i manualen."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "Två: Se instruktionerna för Bluetooth-streckkodsskannern för att ställa in HID-läge. Detta kräver vanligtvis skanning av en speciell streckkod i manualen."; - -/* Tertiary bullet point in the barcode info modal in POS, instructing to connect scanner via Bluetooth settings */ -"pos.barcodeInfoModal.tertiaryMessage" = "• Anslut streckkodsskannern i Bluetooth-inställningarna för iOS."; - -/* Accessible version of tertiary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.tertiaryMessage.accessible" = "Tre: Anslut streckkodsskannern i Bluetooth-inställningarna för iOS."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Tillbaka"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Bild på en kod som ska skannas med en streckkodsskanner."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Du kan nu börja skanna produkter. Nästa gång du behöver ansluta skannern är det bara att slå på den så återansluts den automatiskt."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Skanner konfigurerad!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Klar"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Tillbaka"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Läs i skannerns handbok och återställ skannern till fabriksinställningarna. Kör sedan konfigurationsflödet igen."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Försök igen"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Skanningsproblem upptäcktes"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Använd streckkodsskannern för att skanna koden nedan och aktivera Bluetooth HID-läge."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Nästa"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Annan"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Använd din streckkodsskanner för att skanna koden nedan och gå in i parkopplingsläge."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Aktivera Bluetooth och välj din %1$@-skanner i iOS Bluetooth-inställningarna. Skannern piper och dess lysdiod lyser med ett fast sken när den är parkopplad."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Gå till enhetens inställningar"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Para din skanner"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Hur man ställer in streckkoder på produkter"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Hur man ställer in streckkoder på produkter"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Skannerkonfiguration"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Skannerkonfiguration"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Annan skanner"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Konfigurera en streckkodsskanner"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Välj en modell från listan:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Skanna streckkoden för att testa din skanner."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Skanna streckkoden för att testa din skanner. Kontrollera Bluetooth-inställningarna och försök igen om problemet kvarstår."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Inga skanningsdata hittade än"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Testa din skanner"; - -/* 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"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "Klicka på en produkt för att \n lägga till den i varukorgen, eller "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Varukorg"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Skanna streckkod"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Gå till kassa"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Rensa varukorg"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "Ingen internetanslutning"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "Avbryt"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Skapa rabattkod"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Eventuella pågående beställningar kommer att gå förlorade."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Avsluta"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Lämna Försäljningsplatsläge?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "Avsluta POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "Aktivera POS-funktionen"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Försök igen"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Försäljningsplats måste vara aktiverat för att fortsätta. Aktivera POS-funktionen nedan eller från din WordPress-adminpanel under WooCommerce-inställningar > Avancerat > Funktioner och försök igen."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Prova starta om appen för att lösa detta problem."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Vi kunde inte ladda webbplatsinställningsinformationen. Kontrollera din internetanslutning och försök igen. Kontakta supporten för att få hjälp om problemet kvarstår."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "POS-systemet är inte tillgängligt för din butiks valuta. I %1$@ stöder den för närvarande endast %2$@. Kontrollera din butiks valutainställningar eller kontakta supporten för att få hjälp."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "Din WooCommerce-version stöds inte. POS-systemet kräver WooCommerce-version %1$@ eller senare. Uppdatera till den senaste versionen av WooCommerce."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "Vi kunde inte ladda WooCommerce-tilläggets information. Se till att WooCommerce-tillägget installeras och aktiveras från din WordPress-adminpanel. Om du fortfarande upplever problem, kontakta supporten för att få hjälp."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Kan inte ladda"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Kontrollera din internetanslutning och försök igen."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Kan inte aktivera rabattkoder"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Kan inte ladda fler rabattkoder"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Kan inte ladda fler produkter"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Kan inte ladda produkter"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Kan inte ladda fler varianter"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Kan inte ladda varianter"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Kan inte uppdatera rabattkoder"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Försök igen."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Aktivera rabattkoder"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Aktivera rabattkoder i din butik för att börja skapa dem för dina kunder."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Börja acceptera rabattkoder"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Kan inte ladda rabattkoder"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Försök igen"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Produkter"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Sök rabattkoder"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Sök produkter"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Sök"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Rabattkoder"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Produkter"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Sök i din butik"; - -/* 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"; - -/* 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"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Avfärda"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Beställningsstatus: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Ingen beställning att visa"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Beställning"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Produkter"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Totalt"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "Total rabatt: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "Total rabatt"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Tryck för att skicka beställningskvitto via e-post"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "E-postkvitto"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Beställningsdatum: %1$@, Status: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Kundens e-post: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Nettobetalning: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Nettobetalning"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Betalat totalt: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Betalningsmetod: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Betalat totalt"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Antal: %1$@ för %2$@ styck, %3$@ totalt"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Produkter"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Produkter"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Anledning: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Har återbetalats: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Orsak: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Återbetald"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Delsumma för produkter: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Moms: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Moms"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Beställningssumma: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Totalt"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Totalt"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Kan inte ladda fler beställningar"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Kan inte ladda beställningar"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Uppdatera"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Prova att justera din sökterm."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Vi kunde inte hitta några beställningar som matchar din sökning."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Inga beställningar hittades"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "Beställningar kommer att visas här när du börjar behandla försäljning i POS."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Inga beställningar än"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Tryck för att visa beställningsdetaljer"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Beställning #%1$@, Totalt %2$@, %3$@, Status: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-post: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Beställningar"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Sök beställningar"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Sök beställningar"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Alternativ tillgängliga"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Vi kunde inte hitta några rabattkoder med det namnet — prova att justera din sökterm."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Rabattkoder kan vara ett effektivt sätt att öka försäljningen. Vill du skapa en?"; - -/* 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."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Variationsnamn går inte att söka efter, så använd det överordnade produktnamnet."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Vi kunde inte hitta några matchande produkter — prova att justera din sökterm."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Inga produkter hittades"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS stöder för närvarande bara enkla och variabla produkter."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Inga produkter som stöds hittades"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "För att lägga till en, lämna POS och redigera produkten på fliken Produkter."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS stöder endast aktiverade, icke-nedladdningsbara variationer."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Inga varianter som stöds hittades"; - -/* 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"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Skapa en beställning i butikshanteringen"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "För att ta betalt för en produkt som inte stöds, lämna POS och skapa en ny beställning från fliken Beställningar."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Andra produkttyper kommer att bli tillgängliga i framtida uppdateringar."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Endast enkla och variabla nedladdningsbara produkter kan användas med POS just nu."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Varför kan jag inte se mina produkter?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ i lager"; - -/* 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"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Kvitto via e-post"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Kontant betalning"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "Total rabatt"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Delsumma"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Moms"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Totalt"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Justera din skärmdelning för att ge Försäljningsplats mer utrymme."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Försäljningsplats stöds inte med den här skärmbredden."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Tillåt fullständig uppdatering med mobildata"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Katalogstorlek"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Katalogstatus"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Senaste fullständiga uppdatering"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Senast uppdaterad"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Hantera dataanvändning"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Manuell kataloguppdatering"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Använd endast den här uppdateringen när något verkar vara fel – POS håller data aktuella automatiskt."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Uppdatera katalog"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Kataloginställningar"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d produkter, %2$ld variationer"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Katalogstorlek ej tillgänglig"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Inte uppdaterad"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Uppdateringsdatum ej tillgängligt"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Stäng"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "Försäljningsplats"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "Webbkassa"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "Avbryt"; diff --git a/WooCommerce/Resources/tr.lproj/Localizable.strings b/WooCommerce/Resources/tr.lproj/Localizable.strings index f12175a107d..62260f544cd 100644 --- a/WooCommerce/Resources/tr.lproj/Localizable.strings +++ b/WooCommerce/Resources/tr.lproj/Localizable.strings @@ -910,9 +910,6 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "Ödendi olarak işaretle"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "İade edildi olarak işaretle"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "Hizmet"; @@ -3285,9 +3282,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "Soyad"; -/* 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"; @@ -4512,26 +4506,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "Eklentiler"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "Belgeler"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "Destek Alın"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "POS'ta hangi ürünlerin desteklendiği hakkında bilgi edinin"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "Ürünlerim nerede?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "İptal Et"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "Yardım"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "En çok tutulan"; @@ -6141,9 +6115,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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."; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "Ödeme iptal edildi."; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "Ödeme kesintiye uğradı ve devam edilemiyor. Sipariş ekranından tekrar ödeme yapmayı deneyebilirsiniz."; @@ -6709,21 +6680,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 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$@)"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "Ödeme işlenemiyor. Sipariş toplam tutarı geçerli değil."; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "Ödeme işlenemiyor. Bu siparişin ödemesi zaten yapıldı, ek bir ödeme alınması müşteriden siparişi için iki kez ücret alınmasına neden olacaktır."; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "Ödeme işlenemiyor. Ödeme sistemine bağlanamadık. Bu hata devam ederse lütfen destekle iletişime geçin."; - -/* 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$@"; - /* 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."; @@ -8715,9 +8671,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "Değişken abonelik"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "Devam ediyor"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "İptal et"; @@ -8845,12 +8798,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "Ödemenin başlangıcından itibaren sipariş toplamı değişti. Lütfen geri gidin ve siparişin doğru olduğunu kontrol edin, ardından ödemeyi tekrar deneyin."; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "Ödenmesi gereken para üstü: %1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "Blaze kampanyası için ürün seçer."; @@ -8944,9 +8891,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "Bağlantı Sorununu Giderin"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "%@ tarihinde süresi doldu"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "Adres"; @@ -10307,1164 +10251,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "Tarayıcı bir satır sonu karakterini göndermedi"; - -/* 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"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "İnternet bağlantısı yok"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "Varyasyon için ana ürün bulunamadı"; - -/* 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ü"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "Ödeme okuyucuda iptal edildi"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "Ödemeyi tekrar dene"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "Kart takıldı"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "Ödemeye hazır"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "Okuyucunuzu bağlayın"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "Ödeme işleniyor"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "İptal Et"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "Kart okuyucunuzu açmak için güç düğmesine kısa basın."; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "Okuyucu taranıyor"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "Yeni sipariş"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "Ödemeyi tekrar dene"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "Bir ağ hatasından dolayı ödemenin başarılı olup olmadığını onaylayamıyoruz. Çalışan bir ağ bağlantısı olan bir cihazda ödemeyi doğrulayın. Başarısız olursa ödemeyi yeniden deneyin. Başarılı olursa yeni bir sipariş başlatın."; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "Ödeme hatası"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "Ödemeye geri dön"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "Ödeme başarısız"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "Başka bir ödeme yöntemi dene"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "Ödemeyi tekrar dene"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "Bu işlemi gerçekleştirmeye devam etmek istiyorsanız lütfen ödemeyi yeniden deneyin."; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "Ödeme başarısız"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "Başka bir ödeme yöntemi dene"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "Siparişi düzenle"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "Ödeme hazırlığı hatası"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "Ödemeyi tekrar dene"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "Ödeme işleniyor"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "Hazırlanıyor"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "Okuyucu ödeme için hazırlanıyor"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "Kartı takın"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "Kartı gösterin"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "Kartı dokundurun"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "Kartı dokundurun veya takın"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "Kartı dokundurun, geçirin veya takın"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "Ödemeye hazır"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "Okuyucu bağlanmadı"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "Bu ödemeyi işlemek için lütfen okuyucunuzu bağlayın veya nakit seçin."; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "Sipariş kontrol ediliyor"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "Hazırlanıyor"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "Sipariş toplamı, bir karttan tahsil edebileceğiniz minimum tutarın altında (%1$@). Bunun yerine nakit ödeme alabilirsiniz."; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "Kart ödemesi alınamadı"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "Sipariş kontrol edilirken bir hata oluştu"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "Tekrar dene"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "Lütfen bekleyin"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "Kapat"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "Cihaz Ayarlarını Aç"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "Bluetooth izni gerekli"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "İptal Et"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "Okuyucunuza bağlanılamadı"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "Tekrar dene"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "İptal Et"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "Okuyucunun pili kritik düzeyde düşük. Lütfen okuyucuyu şarj edin veya farklı bir okuyucu deneyin."; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "Yeniden Dene"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "Okuyucunuza bağlanılamadı"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "İptal Et"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "Cihaz Ayarlarını Aç"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "Dolandırıcılık riskini azaltmak, anlaşmazlıkları önlemek ve güvenli ödemeler sağlamak için konum hizmetleri izni gerekir."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "Ödemelere izin vermek için konum hizmetlerini etkinleştirin"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "Kapat"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "Bağlantı başarısız oldu"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "İptal Et"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "Adres Girin"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "Güncellemeden Sonra Tekrar Dene"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "Devam etmek için lütfen mağaza adresinizi düzeltin"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "İptal Et"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "Mağazanızın posta kodunu wp-admin > WooCommerce > Ayarlar (Genel) altından ayarlayabilirsiniz"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "Güncellemeden Sonra Tekrar Dene"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "Lütfen mağazanızın posta kodunu düzeltin"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "Devam"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "Bu seçeneği daha sonra Ayarlar uygulamasından değiştirebilirsiniz."; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "Dolandırıcılık riskini azaltmak, anlaşmazlıkları önlemek ve güvenli ödemeler sağlamak için konum hizmetleri izni gerekir."; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "Ödemelere izin vermek için konum hizmetlerini etkinleştirin"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "Lütfen bekleyin..."; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "Okuyucuya bağlanılıyor"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "Tamamlandı"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "Okuyucu bağlandı"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "İptal Et"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "Bağla"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "Birkaç okuyucu bulundu"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "Okuyucular taranıyor"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "İptal Et"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "Okuyucuya Bağlan"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "Bu okuyucuya bağlanmak istiyor musunuz?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "Aramaya Devam Et"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "%1$@ bulundu"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "İptal Et"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "Güncelleme tamamlandıktan sonra okuyucunuz otomatik olarak yeniden başlayacak ve yeniden bağlanacaktır."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% tamamlandı"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "Yazılım güncelleniyor"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "Anladım"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% tamamlandı"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "Yazılım güncellendi"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "İptal Et"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "Yeniden Dene"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "Okuyucunuzun yazılımı güncellenemedi"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "Okuyucunun pil şarj düzeyi %.0f%% olduğundan okuyucu güncellenemedi. Lütfen okuyucuyu şarj edip ardından yeniden deneyin."; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "İptal Et"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "Okuyucunun pili zayıf olduğundan okuyucu güncellenemedi. Lütfen okuyucuyu şarj edip ardından yeniden deneyin."; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "Tekrar dene"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "Lütfen okuyucuyu şarj edin"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "Kapat"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "Okuyucunuzun yazılımı güncellenemedi"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "Yine de iptal et"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "Ödeme almak için kart okuyucu yazılımınızın güncellenmesi gerekiyor. İptal ederseniz okuyucu bağlantınız engellenir."; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% tamamlandı"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "Yazılım güncelleniyor"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "Kapat"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "Okuyucuya bağlanılamadı"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "Kapat"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "Bir ağ hatasından dolayı ödemenin başarılı olup olmadığını bilmiyoruz."; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "Lütfen devam etmeden önce ağ bağlantısı olan bir cihazda siparişi dikkatli bir şekilde kontrol edin."; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "Bu sipariş başarısız olabilir"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "Toplam: %1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "Nakit ödeme"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "Ödemeyi tamamlandı olarak işaretle"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "Ödeme işlenmeye çalışılırken hata oluştu. Tekrar deneyin."; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.button.title" = "İlk barkod tarayıcı kurulumu"; - -/* 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"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "Okuyucunun Bağlantısını Kes"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "POS'tan çık"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "Destek Alın"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "Siparişler"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "Ürünlerim nerede?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "Okuyucu Bağlandı"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "Okuyucunuzu bağlayın"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "Bağlantı kesiliyor"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "Ayarlar"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "Belgeler"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "Kaldır"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "Yükleniyor"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "Siparişi düzenle"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "Kupon uygulanamıyor"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "Kuponu kaldır"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "Kuponları kaldır"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "Toplamlar yüklenemedi"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "Tekrar dene"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "%1$@ tutarındaki bir kart ödemesi başarıyla alındı."; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "%1$@ tutarındaki bir nakit ödemesi başarıyla alındı."; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "Ödeme başarılı"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "Gönder"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "Faturayı e-posta ile gönderin"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "Lütfen geçerli bir e-posta girin."; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "Bu e-posta gönderilmeye çalışılırken hata oluştu. Tekrar deneyin."; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "E-posta yazın"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "İptal Et"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "İptal Et"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "Bilinmiyor"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "Mobil ödemeleri kabul etme hakkında daha fazla bilgi edinin"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "Belgeler"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "Okuyucu bağlanmadı"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "Kart okuyucular"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "Barkod tarayıcı ayarlarını yapılandırın"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "Barkod tarayıcılar"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "Kart okuyucu bağlantılarını yönetin"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "Kart okuyucular"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "Donanım"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "Pil"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "Model"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "POS'ta barkod taraması hakkında daha fazla bilgi edinin"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "Belgeler"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "Barkod tarayıcınızı yapılandırın ve test edin"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "Tarayıcı Kurulumu"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "Barkod tarayıcılar"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "Ayarlanmadı"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "Adres"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "E-posta Adresi"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "Ayarlanmadı"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "Telefon numarası"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "Fiziksel adres"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "Makbuz bilgileri"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "Mağaza adı"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "Geri Ödeme ve İade Politikası"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "Mağaza Bilgileri"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "Mağaza adı"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "Mağaza"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "Ayarlar"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "Donanım bağlantılarını yönetin"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "Donanım"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "Yardım ve destek alın"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "Yardım"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "Katalog ayarlarını yönetin"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "Katalog"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "Mağaza yapılandırması ve ayarları"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "Mağaza"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "Barkod taraması"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• iOS Bluetooth ayarlarından Bluetooth barkod tarayıcınıza başvurun."; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "İlk: iOS Bluetooth ayarlarından Bluetooth barkod tarayıcınıza başvurun."; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "Bir sepeti hızlıca oluşturmak için harici bir tarayıcı kullanarak barkodları tarayabilirsiniz."; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• Sepete ürün eklemek için ürün listesindeyken barkodu tarayın."; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "İkinci: Sepete ürün eklemek için ürün listesindeyken barkodu tarayın."; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• Barkodlar taranırken arama alanının etkinleştirilmediğinden emin olun."; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "Üçüncü: Barkodlar taranırken arama alanının etkinleştirilmediğinden emin olun."; - -/* 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."; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "belgeleri ziyaret edin"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "Ürünün envanter sekmesinde GTIN, UPC, EAN, ISBN alanında barkodlar ayarlayabilirsiniz. Daha fazla ayrıntı için %1$@."; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.accessible" = "Ürünün envanter sekmesinde G-T-I-N, U-P-C, E-A-N, I-S-B-N alanında barkodlar ayarlayabilirsiniz. Daha fazla ayrıntı için belgeleri ve bağlantıyı ziyaret edin."; - -/* 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.2" = "• HID modunu ayarlamak için Bluetooth barkod tarayıcınızın talimatlarına bakın. Bu genellikle kılavuzda özel bir barkodun taranmasını gerektirir."; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "İkinci: H-I-D modunu ayarlamak için Bluetooth barkod tarayıcınızın talimatlarına bakın. Bu genellikle kılavuzda özel bir barkodun taranmasını gerektirir."; - -/* 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."; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "Geri"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "Bir barkod tarayıcısı tarafından taranacak olan kod görseli."; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "Ürün taramaya başlamaya hazırsınız. Tarayıcınızı bağlamanız gereken bir sonraki seferde açmanız yeterlidir; tarayıcı otomatik olarak yeniden bağlanacaktır."; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "Tarayıcı hazır!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "Tamam"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "Geri"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "Lütfen tarayıcının kılavuzunu kontrol edin ve fabrika ayarlarına sıfırlayın, ardından kurulum akışını yeniden deneyin."; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "Tekrar dene"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "Tarama sorunu bulundu"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "Aşağıdaki kodu tarayarak Bluetooth HID modunu etkinleştirin."; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "Sonraki"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "Diğer"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "Eşleştirme moduna girmek için aşağıdaki kodu taramak üzere barkod tarayıcınızı kullanın."; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "Bluetooth'u etkinleştirin ve iOS Bluetooth ayarlarından %1$@ tarayıcınızı seçin. Tarayıcı bip sesi verecek ve eşlendiğinde sabit bir LED ışığı gösterecek."; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "Cihaz ayarlarınıza gidin"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "Tarayıcınızı eşleştirin"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "Ürünlerde barkod nasıl ayarlanır?"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "Ürünlerde barkod nasıl ayarlanır?"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "Tarayıcı kurulumu"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "Tarayıcı kurulumu"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "Diğer tarayıcı"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "Bir barkod tarayıcı ayarlama"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "Listeden bir model seçin:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "Tarayıcınızı test etmek için barkodu tarayın."; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "Tarayıcınızı test etmek için barkodu tarayın. Sorun devam ederse lütfen Bluetooth ayarlarını kontrol edip tekrar deneyin."; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "Henüz tarama verisi bulunamadı"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "Tarayıcınızı test edin"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = " için ürüne dokunun Sepete eklemek"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = " için bir ürüne dokununSepete eklemek için veya "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "Sepet"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "Barkodu tarayın"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "Öde"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "Sepeti temizle"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "İnternet bağlantısı yok"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "İptal Et"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "Kupon oluşturun"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "Devam eden tüm siparişler kaybolacak."; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "Çık"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "Satış Noktası Modundan Çıkılsın Mı?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "POS'tan çık"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "POS Özelliğini Etkinleştir"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "Tekrar dene"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "Devam etmek için Satış Noktası'nın etkinleştirilmesi gerekir. Lütfen aşağıdan veya WooCommerce ayarları > Gelişmiş > Özellikler bölümündeki WordPress yöneticinizden POS özelliğini etkinleştirin ve yeniden deneyin."; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "Bu sorunu çözmek için uygulamayı yeniden başlatmayı deneyin."; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "Site ayarları bilgileri yüklenemedi. Lütfen internet bağlantınızı kontrol edip tekrar deneyin. Sorun devam ederse yardım için destek birimine başvurun."; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "POS sistemi, mağazanızın para biriminde kullanılamıyor. %1$@ içinde şu anda yalnızca %2$@ desteklemektedir. Lütfen mağaza para birimi ayarlarınızı kontrol edin veya yardım için destek birimine başvurun."; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "WooCommerce sürümünüz desteklenmiyor. POS sistemi için WooCommerce %1$@ sürümü veya üzeri gerekiyor. Lütfen WooCommerce'ün en son sürümüne güncelleyin."; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "WooCommerce eklenti bilgilerini yükleyemedik. Lütfen WooCommerce eklentisinin kurulduğundan ve WordPress yöneticinizden etkinleştirildiğinden emin olun. Hâlâ bir sorun varsa lütfen yardım için destek birimine başvurun."; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "Yüklenemedi"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "Lütfen internet bağlantınızı kontrol edip tekrar deneyin."; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "Kuponlar etkinleştirilemiyor"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "Daha fazla kupon yüklenemiyor"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "Daha fazla ürün yüklenemiyor"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "Ürünler yüklenemiyor"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "Daha fazla varyasyon yüklenemiyor"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "Varyasyonlar yüklenemiyor"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "Kuponlar yenilenemiyor"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "Lütfen tekrar deneyin."; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "Kuponları etkinleştir"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "Müşterileriniz için oluşturmaya başlamak üzere kupon kodlarını mağazanızda etkinleştirin."; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "Kuponları kabul etmeye başlayın"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "Kuponlar yüklenemiyor"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "Tekrar dene"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "Ürünler"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "Kuponları arayın"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "Ürünleri arayın"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "Arama"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "Kuponlar"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "Ürünler"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "Mağazanızda arayın"; - -/* 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"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "Son aramalar"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "Kapat"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "Sipariş durumu: %1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "Görüntülenecek sipariş yok"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "Sipariş"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "Ürünler"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "Toplamlar"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "İndirim toplamı: %1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "İndirim toplamı"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "Sipariş makbuzunu e-posta ile göndermek için dokunun"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "Faturayı e-posta ile gönderin"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "Sipariş tarihi: %1$@, Durum: %2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "Müşteri e-postası: %1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "Net ödeme: %1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "Net Ödeme"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "Toplam ödenen: %1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "Ödeme yöntemi: %1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "Toplam ödenen"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "Miktar: %1$@ her biri %2$@, Toplam %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "Ürünler"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "Ürünler"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "Neden: %1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "Geri ödeme yapıldı: %1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "Neden: %1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "Geri ödeme yapıldı"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "Ürün ara toplamı: %1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "Vergiler: %1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "Vergiler"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "Sipariş toplamı: %1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "Toplam"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "Toplamlar"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "Daha fazla sipariş yüklenemiyor"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "Siparişler yüklenemiyor"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "Yenile"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "Arama teriminizi düzenlemeyi deneyin."; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "Aramanızla eşleşen hiçbir sipariş bulamadık."; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "Sipariş bulunamadı"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "POS'ta satışları işlemeye başladığınızda siparişler burada görünür."; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "Henüz sipariş yok"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "Sipariş ayrıntılarını görüntülemek için dokunun"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "Sipariş #%1$@, Toplam %2$@, %3$@, Durum: %4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "E-posta: %1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "Siparişler"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "Siparişleri ara"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "Siparişleri ara"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "Kullanılabilir seçenekler var"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "Bu ada sahip herhangi bir kupon bulunamadı, arama teriminizi düzenlemeyi deneyin."; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "Kuponlar, işinizi teşvik etmenin etkili bir yolu olabilir. Kupon oluşturmak ister misiniz?"; - -/* 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."; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "Varyasyon adlarında arama yapılamaz, bu nedenle ana ürün adını kullanın."; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "Eşleşen ürün bulunamadı, arama teriminizi düzenlemeyi deneyin."; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "Hiç ürün bulunamadı"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS şu anda yalnızca basit ve varyasyonlu ürünleri destekliyor."; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "Desteklenen ürün bulunamadı"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "Bir tane eklemek için POS'tan çıkın ve bu ürünü Ürünler sekmesinde düzenleyin."; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS yalnızca etkinleştirilmiş, indirilemeyen varyasyonları destekler."; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "Desteklenen varyasyon bulunamadı"; - -/* 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"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "Mağaza yönetiminde sipariş oluşturun"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "Desteklenmeyen bir ürünün ödemesini almak için POS'tan çıkın ve siparişler sekmesinden yeni sipariş oluşturun."; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "Diğer ürün türleri gelecekteki güncellemelerde kullanılabilir olacak."; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "Şu anda POS ile yalnızca basit ürünler ve varyasyonlu indirilemeyen ürünler kullanılabiliyor."; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "Ürünlerimi neden göremiyorum?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "%1$@ stokta"; - -/* 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ş"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "Faturayı e-posta ile gönderin"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "Nakit ödeme"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "İndirim toplamı"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "Ara Toplam"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "Vergiler"; - -/* Title for total amount field */ -"pos.totalsView.total" = "Toplam"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "Lütfen Satış Noktası'na daha fazla alan sağlamak için ekranınızın bölünmesini ayarlayın."; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "Satış Noktası bu ekran genişliğinde desteklenmiyor."; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "Hücresel veri kullanılırken tam güncellemeye izin ver"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "Katalog boyutu"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "Katalog Durumu"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "Son tam güncelleme"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "Son güncelleme"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "Veri Kullanımını Yönetme"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "Manuel Katalog Güncellemesi"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "Bu yenilemeyi yalnızca bir şeyler yanlış göründüğünde kullanın - POS verileri otomatik olarak güncel tutar."; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "Kataloğu yenile"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "Katalog Ayarları"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d ürün, %2$ld varyasyon"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "Katalog boyutu mevcut değil"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "Güncellenmedi"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "Güncelleme tarihi mevcut değil"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "Kapat"; diff --git a/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hans.lproj/Localizable.strings index b9fc7e9b6e6..3e82eb29653 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-10-17 03:55:47+0000 */ +/* Translation-Revision-Date: 2025-10-21 11:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_CN */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "预订说明"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "否,保留"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "是,取消"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ 将无法再参加 %3$@ 的“%2$@”。"; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "取消预订"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "账单地址"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "取消预订"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "电子邮件地址已复制"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "客户"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "付款"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "发放退款"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "标记为已付款"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "标记为已退款"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "服务"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "查看订单"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "拨号"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "电话号码已复制"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "复制"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "无法拨打此号码。"; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "已预订"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "姓氏"; -/* 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" = "开启您的商店"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "插件"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "文档"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "获取支持"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "了解 POS 支持哪些产品"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "我的产品在哪里?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "取消"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "帮助"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "热门"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "此付款方式不支持自动退款。 通过手动向客户转账的方式完成退款。"; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "付款已取消。"; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "付款被中断且无法继续。请从订单屏幕中重试付款。"; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "无法处理付款。 订单总额无效。"; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "无法处理付款。 此订单已付款,继续付款将导致客户订单重复收费。"; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "无法处理付款。 无法连接到付款系统。 如果此错误仍然存在,请联系支持人员。"; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "无法通过该 URL 读取 WordPress 站点。 轻点“需要更多帮助?”可查看常见问题解答。"; @@ -8628,12 +8614,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "重试"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "我们未能找到任何使用该名称的预订,请尝试调整您的搜索字词以查看更多结果。"; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "获取预订时出错"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "日期:从最近到最早"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "日期:从最早到最近"; + /* Tab title for all bookings */ "bookingListView.all" = "全部"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "没有符合您筛选条件的预订。 尝试调整它们以查看更多结果。"; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "暂无预订"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "您今天尚未安排任何预约或活动。"; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "今天无预定"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "您尚未安排任何未来的预约或活动。"; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "无近期预订"; + /* Button to filter the booking list */ "bookingListView.filter" = "筛选"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "搜索预订"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "排序方式"; @@ -8667,6 +8686,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未付款"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "访客"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "预订"; @@ -8718,9 +8740,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "可变订阅"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "进行中"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "取消"; @@ -8848,12 +8867,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "开始付款后,订单总额已发生变化。 请返回检查订单正确与否,然后再次尝试付款。"; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "找零:%1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "为 Blaze 广告活动选择产品。"; @@ -8947,9 +8960,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "排查连接故障"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "到期日期:%@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "地址"; @@ -9692,6 +9702,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "提高您的销售额"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "请花两分钟时间快速完成问卷调查,分享您的体验,帮助我们进行改进。"; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "POS 的使用体验如何?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "请花两分钟时间快速完成问卷调查,帮助我们打造您喜爱的功能。"; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "考虑开展线下销售?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "您的产品图片仍在后台上传。 上传速度可能较慢,并且可能会出现错误。 为获得最佳效果,请保持应用程序处于打开状态,直至上传完成。"; @@ -10310,1164 +10332,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "扫描仪未发送行尾字符"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "网络请求失败"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "未连接互联网"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "未找到变体的父级产品"; - -/* 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" = "不支持的商品类型"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "读卡器付款已取消"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "再次尝试付款"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "卡片已插入"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "付款准备就绪"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "连接您的读卡器"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "正在处理付款"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "取消"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "要打开读卡器,请短按电源按钮。"; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "正在扫描读卡器"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "新订单"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "再次尝试付款"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "由于网络错误,我们无法确认付款是否成功。 在网络连接正常的设备上验证付款。 如果付款未成功,请重新尝试付款。 如果付款成功,则请发起新订单。"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "付款错误"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "返回结账页面"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "付款失败"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "尝试另一种付款方式"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "再次尝试付款"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "如果您想继续处理这笔交易,请尝试重新付款。"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "付款失败"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "尝试另一种付款方式"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "编辑订单"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "付款准备工作出错"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "再次尝试付款"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "正在处理付款"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "正在准备"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "正在准备付款用读卡器"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "插入银行卡"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "出示银行卡"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "点按银行卡"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "点按或插入银行卡"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "点按、刷卡或插入银行卡"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "付款准备就绪"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "读卡器未连接"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "要处理这笔付款,请连接您的读卡器或选择现金。"; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "正在检查订单"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "正在准备"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "订单总额低于您可以从银行卡中扣除的最低金额,即 %1$@。 您可以改用现金付款。"; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "无法接受银行卡付款"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "检查订单时出错"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "请重试"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "请稍候"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "忽略"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "打开设备设置"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "需要蓝牙权限"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "取消"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "我们无法连接您的读卡器"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "重试"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "取消"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "读卡器电量严重不足。 请为读卡器充电或更换读卡器。"; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "重试"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "我们无法连接您的读卡器"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "取消"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "打开设备设置"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "需要定位服务权限,以减少欺诈、防止纠纷并确保安全付款。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "启用定位服务以允许付款"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "忽略"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "连接失败"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "取消"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "输入地址"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "请更新后再试"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "请更正您的商店地址以便继续"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "取消"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "您可以在“wp-admin > WooCommerce > 设置(常规)”中设置您商店的邮编"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "请更新后再试"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "请更正您商店的邮编"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "继续"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "您可以稍后在“设置”应用程序中更改此选项。"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "需要定位服务权限,以减少欺诈、防止纠纷并确保安全付款。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "启用定位服务以允许付款"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "请稍候…"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "正在连接读卡器"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "完成"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "读卡器已连接"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "取消"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "连接"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "找到多个读卡器"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "正在扫描读卡器"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "取消"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "连接读卡器"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "是否要连接此读卡器?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "继续搜索"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "找到 %1$@"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "取消"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "更新完成后,您的读卡器将自动重新启动并重新连接。"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "已完成 %.0f%%"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "正在更新软件"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "知道了"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "已完成 %.0f%%"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "软件已更新"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "取消"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "重试"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "我们无法更新您的读卡器软件"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "由于电量只有 %.0f%%,读卡器更新失败。 请为读卡器充电,然后再试一次。"; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "取消"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "由于电量不足,读卡器更新失败。 请为读卡器充电,然后再试一次。"; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "请重试"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "请为读卡器充电"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "忽略"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "我们无法更新您的读卡器软件"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "仍然取消"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "您需要更新读卡器软件才能进行收款。 取消将阻断您的读卡器连接。"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "已完成 %.0f%%"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "正在更新软件"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "忽略"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "连接读卡器失败"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "关闭"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "由于网络错误,我们无法得知付款是否成功。"; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "请先在有网络连接的设备上仔细检查订单,然后再继续。"; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "该订单可能已失败"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "总计:%1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "现金付款"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "将付款标记为已完成"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "尝试处理付款时出错。 请重试。"; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "请稍候"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "断开读卡器连接"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "退出 POS 机"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "获取支持"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "订单"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "我的产品在哪里?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "读卡器已连接"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "连接您的读卡器"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "正在断开连接"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "设置"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "文档"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "移除"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "正在加载"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "编辑订单"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "无法应用优惠券"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "删除优惠券"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "删除优惠券"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "无法加载总计"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "请重试"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "已成功完成 %1$@ 的银行卡付款。"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "已成功完成 %1$@ 的现金付款。"; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "付款成功"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "发送"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "电子邮件收据"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "请输入有效的电子邮件地址。"; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "尝试发送此电子邮件时出错。 重试。"; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "输入电子邮件地址"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "取消"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "取消"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "未知"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "详细了解如何接受移动付款"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "文档"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "读卡器未连接"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "读卡器"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "配置条形码扫描仪设置"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "条形码扫描仪"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "管理读卡器连接"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "读卡器"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "硬件"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "电池"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "模型"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "详细了解 POS 中的条形码扫描功能"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "文档"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "配置并测试您的条形码扫描仪"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "扫描仪设置"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "条形码扫描仪"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "未设置"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "地址"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "电子邮件地址"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "未设置"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "电话号码"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "物理地址"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "收据信息"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "商店名称"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "退款和退货政策"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "商店信息"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "商店名称"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "商店"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "设置"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "管理硬件连接"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "硬件"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "获取帮助与支持"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "帮助"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "管理目录设置"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "目录"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "商店配置和设置"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "商店"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "条形码扫描"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• 参考 iOS 蓝牙设置中的蓝牙条形码扫描仪。"; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "第一:参考 iOS 蓝牙设置中的蓝牙条形码扫描仪。"; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "您可以使用外部扫描仪扫描条形码,快速创建购物车。"; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• 在商品列表上扫描条形码,将产品添加到购物车。"; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "第二:在商品列表上扫描条形码,将产品添加到购物车。"; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• 确保扫描条形码时未启用搜索字段。"; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "第三:确保扫描条形码时未启用搜索字段。"; - -/* 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”字段中设置条形码。"; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "请访问文档"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "您可以在产品库存选项卡的 GTIN、UPC、EAN、ISBN 字段中设置条形码。 如需了解更多详情,%1$@。"; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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.2" = "• 参阅蓝牙条形码扫描仪的使用说明,设置 HID 模式。 这通常需要扫描手册中的专用条形码。"; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "第二步:参阅蓝牙条形码扫描仪的使用说明,设置 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 蓝牙设置中连接条形码扫描程序。"; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "返回"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "需要使用条形码扫描仪扫描的代码图片。"; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "您可以开始扫描产品了。 下次需要连接扫描仪时,您只需打开电源,它就会自动重新连接。"; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "扫描仪设置完毕!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "完成"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "返回"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "请查阅扫描仪的使用手册,将其恢复出厂设置后,重新尝试设置流程。"; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "重试"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "发现扫描问题"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "使用您的条形码扫描仪扫描下方的代码,启用蓝牙 HID 模式。"; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "下一个"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "其他"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "使用您的条形码扫描仪扫描下方的代码,进入配对模式。"; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "在 iOS 蓝牙设置中启用蓝牙并选择您的 %1$@ 扫描仪。 配对成功后,扫描仪将发出蜂鸣音,同时 LED 指示灯变为常亮状态。"; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "转到您的设备设置"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "配对您的扫描仪"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "如何在产品上设置条形码"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "如何在产品上设置条形码"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "扫描仪设置"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "扫描仪设置"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "其他扫描仪"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "设置条形码扫描仪"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "从列表中选择一个型号:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "扫描条形码以测试您的扫描仪。"; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "扫描条形码以测试您的扫描仪。 如果问题仍然存在,请检查蓝牙设置并重试。"; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "尚未找到扫描数据"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "测试您的扫描仪"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "点击产品以 \n 将其添加到购物车"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "点击产品以 \n 将其添加到购物车,或者 "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "购物车"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "扫描条形码"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "结账"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "清空购物车"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "未连接互联网"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "取消"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "创建优惠券"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "任何进行中的订单都将丢失。"; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "退出"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "退出销售点模式?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "退出 POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "启用 POS 功能"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "重试"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "必须启用销售点才能继续。 请在下方或通过您的 WordPress 管理员在“WooCommerce 设置 > 高级 > 功能”下启用 POS 功能,然后再试一次。"; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "请尝试重新启动应用程序以解决此问题。"; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "我们无法加载站点设置信息。 请检查您的互联网连接,然后重试。 如果问题仍然存在,请联系支持人员寻求帮助。"; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "POS 系统暂不支持您的商店所使用的货币。 在 %1$@,它目前仅支持 %2$@。 请检查您的商店货币设置或联系支持人员寻求帮助。"; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "您的 WooCommerce 版本不受支持。 POS 系统需要 WooCommerce %1$@ 或更高版本。 请将 WooCommerce 更新到最新版本。"; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "我们无法加载 WooCommerce 插件信息。 请确保您的 WordPress 管理员已安装并激活 WooCommerce 插件。 如果问题仍然存在,请联系支持人员寻求帮助。"; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "无法加载"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "请检查您的互联网连接,然后重试。"; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "无法启用优惠券"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "无法加载更多优惠券"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "无法加载更多产品"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "无法加载产品"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "无法加载更多变体"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "无法加载变体"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "无法刷新优惠券"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "请重试。"; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "启用优惠券"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "在您的商店中启用优惠券代码,以开始为客户创建优惠券代码。"; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "开始接受优惠券"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "无法加载优惠券"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "重试"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "产品"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "搜索优惠券"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "搜索产品"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "搜索"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "优惠券"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "产品"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "搜索您的商店"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "热销产品"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "最近搜索"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "忽略"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "订单状态:%1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "没有要显示的订单"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "订单"; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "产品"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "总计"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "折扣总额:%1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "折扣总额"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "轻点以通过电子邮件发送订单收据"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "电子邮件收据"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "订单日期:%1$@,状态:%2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "客户电子邮件:%1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "净付款:%1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "净付款"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "实收总额:%1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "付款方式:%1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "实收总额"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "数量:%1$@,每个 %2$@,总计 %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "产品"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "产品"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "原因:%1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "已退款:%1$@"; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "原因:%1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "已退款"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "产品小计:%1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "税费:%1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "税费"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "订单总计:%1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "总计"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "总计"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "无法加载更多订单"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "无法加载订单"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "刷新"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "尝试调整您的搜索字词。"; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "我们找不到任何符合您搜索条件的订单。"; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "没有找到订单"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "当您开始在 POS 上处理销售时,订单将显示在此处。"; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "暂无订单"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "轻点以查看订单详细信息"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "订单 #%1$@,总计 %2$@,%3$@,状态:%4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "电子邮件地址:%1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "订单"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "搜索订单"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "搜索订单"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "可用选项"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "我们找不到任何使用该名称的优惠券,请尝试调整您的搜索字词。"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "优惠券可以成为促进业务发展的有效方式。 想要创建优惠券?"; - -/* 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,然后转到“产品”。"; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "无法搜索变体名称,请使用父产品名称。"; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "我们找不到任何匹配的产品,请尝试调整您的搜索字词。"; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "未找到产品"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS 目前仅支持简单产品和可变产品。"; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "未找到受支持的产品"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "要添加产品,请退出 POS,然后在“产品”选项卡中编辑该产品。"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS 仅支持已启用、不可下载的变体。"; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "未找到受支持的变体"; - -/* 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" = "清除搜索"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "在商店管理中创建订单"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "要为不受支持的产品接受付款,请退出 POS,然后在“订单”选项卡中创建新订单。"; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "其他产品类型将在今后的更新中得到支持。"; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "POS 目前仅可用于简单和可变的不可下载产品。"; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "为何看不到我的产品?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "库存:%1$@ 件"; - -/* 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" = "新订单"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "电子邮件收据"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "现金付款"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "折扣总额"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "小计"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "税费"; - -/* Title for total amount field */ -"pos.totalsView.total" = "总计"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "请调整屏幕分割比例,为销售点模式留出更多空间。"; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "此屏幕宽度不支持销售点模式。"; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "允许通过移动数据进行完整更新"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "目录大小"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "目录状态"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "上次完整更新"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "上次更新时间"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "管理数据使用"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "手动目录更新"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "仅当出现异常时才使用此刷新功能 — POS 会自动实时更新数据。"; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "刷新目录"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "目录设置"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d 款产品,%2$ld 种变体"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "目录大小不可用"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "未更新"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "更新日期不可用"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "关闭"; @@ -11909,6 +10776,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "销售点"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "网页结账"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-Admin"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "取消"; diff --git a/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings b/WooCommerce/Resources/zh-Hant.lproj/Localizable.strings index 5793114cbcf..7d52c9934e5 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-10-08 09:54:11+0000 */ +/* Translation-Revision-Date: 2025-10-21 09:54:04+0000 */ /* Plural-Forms: nplurals=1; plural=0; */ /* Generator: GlotPress/2.4.0-alpha */ /* Language: zh_TW */ @@ -877,12 +877,27 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Booking notes' section in the booking details screen. */ "BookingDetailsView.bookingNotes.headerTitle" = "預訂備註"; +/* Cancel button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.cancelAction" = "不,保留"; + +/* Confirm button title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.confirmAction" = "是,取消"; + +/* Message for the booking cancellation confirmation alert. %1$@ is customer name, %2$@ is product name, %3$@ is booking date. */ +"BookingDetailsView.cancelation.alert.message" = "%1$@ 將無法於 %3$@ 出席「%2$@」。"; + +/* Title for the booking cancellation confirmation alert. */ +"BookingDetailsView.cancelation.alert.title" = "取消預訂"; + /* Billing address row title in customer section in booking details view. */ "BookingDetailsView.customer.billingAddress.title" = "帳單地址"; /* 'Cancel booking' button title in appointment details section in booking details view. */ "BookingDetailsView.customer.cancelBookingButton.title" = "取消預訂"; +/* Toast message shown when the user copies the customer's email address. */ +"BookingDetailsView.customer.emailCopied.toastMessage" = "電子郵件地址已複製"; + /* Header title for the 'Customer' section in the booking details screen. */ "BookingDetailsView.customer.headerTitle" = "顧客"; @@ -907,12 +922,12 @@ which should be translated separately and considered part of this sentence. */ /* Header title for the 'Payment' section in the booking details screen. */ "BookingDetailsView.payment.headerTitle" = "付款"; +/* Title for 'Issue refund' button in payment section in booking details view. */ +"BookingDetailsView.payment.issueRefund.title" = "核發退款"; + /* Title for 'Mark as paid' button in payment section in booking details view. */ "BookingDetailsView.payment.markAsPaid.title" = "標示為已付款"; -/* Title for 'Mark as refunded' button in payment section in booking details view. */ -"BookingDetailsView.payment.markAsRefunded.title" = "標示為已退款"; - /* Service row title in payment section in booking details view. */ "BookingDetailsView.payment.serviceRow.title" = "服務"; @@ -925,6 +940,18 @@ which should be translated separately and considered part of this sentence. */ /* Title for 'View order' button in payment section in booking details view. */ "BookingDetailsView.payment.viewOrder.title" = "檢視訂單"; +/* Action to call the phone number. */ +"BookingDetailsView.phoneNumberOptions.call" = "致電"; + +/* Notice message shown when the phone number is copied. */ +"BookingDetailsView.phoneNumberOptions.copied" = "電話號碼已複製"; + +/* Action to copy the phone number. */ +"BookingDetailsView.phoneNumberOptions.copy" = "複製"; + +/* Notice message shown when a phone call cannot be initiated. */ +"BookingDetailsView.phoneNumberOptions.error" = "無法撥打此號碼。"; + /* Title for the 'Booked' status label in the header view. */ "BookingDetailsView.statusLabel.booked" = "已預訂"; @@ -3285,9 +3312,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Text field name in Edit Address Form */ "Last name" = "姓氏"; -/* 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" = "推出你的商店"; @@ -4512,26 +4536,6 @@ If your translation of that term also happens to contains a hyphen, please be su Navigates to Plugins screen. */ "Plugins" = "外掛程式"; -/* The subtitle of the menu button to view documentation, shown in settings. - The title of the menu button to view documentation, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.documentation.button.subtitle" = "文件"; - -/* The subtitle of the menu button to contact support, shown in settings. - The title of the menu button to contact support, shown in settings. */ -"PointOfSaleSettingsHelpDetailView.help.getSupport.button.subtitle" = "取得支援"; - -/* The subtitle of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.subtitle" = "了解 POS 支援的商品類型"; - -/* The title of the menu button to view product restrictions info, shown in settings. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"PointOfSaleSettingsHelpDetailView.help.productRestrictionsInfo.button.title" = "我的商品在哪裡?"; - -/* Button to dismiss the support form from the POS settings. */ -"PointOfSaleSettingsHelpDetailView.help.support.cancel" = "取消"; - -/* Navigation title for the help settings list. */ -"PointOfSaleSettingsHelpDetailView.help.title" = "說明"; - /* Section title for popular products on the Select Product screen. The text of the badge that indicates the most popular choice when purchasing a Plan */ "Popular" = "熱門"; @@ -6141,9 +6145,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* 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." = "此付款方式不支援自動退款。 若要完成退款,請手動將款項轉帳給客戶。"; -/* Message shown if a payment cancellation is shown as an error. */ -"The payment was cancelled." = "此付款已取消。"; - /* Error shown when the built-in card reader payment is interrupted by activity on the phone */ "The payment was interrupted and cannot be continued. You can retry the payment from the order screen." = "收款中斷,無法繼續。你可以從訂單畫面重試收款。"; @@ -6709,21 +6710,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 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$@"; - -/* Error message when the order amount is not valid. */ -"Unable to process payment. Order total amount is not valid." = "無法處理付款。 訂單總金額無效。"; - -/* Error message shown during In-Person Payments when the order is found to be paid after it's refreshed. */ -"Unable to process payment. This order is already paid, taking a further payment would result in the customer being charged twice for their order." = "無法處理付款。 此訂單已付款,若再次收款,將造成顧客訂單重複收款。"; - -/* Error message shown during In-Person Payments when the payment gateway is not available. */ -"Unable to process payment. We could not connect to the payment system. Please contact support if this error continues." = "無法處理付款。 我們無法連線至付款系統。 如果持續發生此錯誤,請聯絡支援團隊。"; - -/* 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$@"; - /* No comment provided by engineer. */ "Unable to read the WordPress site at that URL. Tap 'Need more help?' to view the FAQ." = "無法透過該 URL 讀取 WordPress 網站。 點選「需要更多說明?」即可檢視常見問題。"; @@ -8625,12 +8611,45 @@ If your translation of that term also happens to contains a hyphen, please be su /* Button to retry syncing data on the target topic picker for campaign creation */ "blazeTargetTopicPickerView.tryAgain" = "再試一次"; +/* Message displayed when searching bookings by keyword yields no results. */ +"bookingList.emptySearchText" = "找不到符合該名稱的預訂。請嘗試調整搜尋字詞,以便查看更多結果。"; + +/* Error message when fetching bookings fails */ +"bookingList.errorMessage" = "擷取預訂時發生錯誤"; + +/* Option to sort bookings from newest to oldest */ +"bookingList.sort.newestToOldest" = "日期:從最新到最舊排序"; + +/* Option to sort bookings from oldest to newest */ +"bookingList.sort.oldestToNewest" = "日期:從最舊到最新排序"; + /* Tab title for all bookings */ "bookingListView.all" = "全部"; +/* Description for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.description" = "沒有符合篩選條件的預訂。 請調整後查看更多結果。"; + +/* Title for the empty state when there's no bookings for the given filter */ +"bookingListView.emptyState.filter.title" = "找不到預訂"; + +/* Description for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.description" = "你今天沒有排程任何預約或事件。"; + +/* Title for the empty state when no bookings for today is found */ +"bookingListView.emptyState.today.title" = "今天沒有預訂"; + +/* Description for the empty state when there's no upcoming bookings */ +"bookingListView.emptyState.upcoming.description" = "你之後尚未排程任何預約或事件。"; + +/* Title for the empty state when there's no bookings for today */ +"bookingListView.emptyState.upcoming.title" = "沒有即將到來的預訂"; + /* Button to filter the booking list */ "bookingListView.filter" = "篩選"; +/* Prompt in the search bar on top of the booking list */ +"bookingListView.search.prompt" = "搜尋預訂"; + /* Button to select the order of the booking list */ "bookingListView.sortBy" = "排序依據"; @@ -8664,6 +8683,9 @@ If your translation of that term also happens to contains a hyphen, please be su /* Status of an unpaid booking */ "bookingStatus.title.unpaid" = "未付款"; +/* Displayed name on the booking list when no customer is associated with a booking. */ +"bookings.guest" = "訪客"; + /* Title of the Bookings tab */ "bookingsTabViewHostingController.tab.title" = "預訂"; @@ -8715,9 +8737,6 @@ If your translation of that term also happens to contains a hyphen, please be su /* Action sheet option when the user wants to change the Product type to Variable subscription product */ "bottomSheetProductType.variableSubscriptionProduct.title" = "多款式訂閱"; -/* Default accessibility label for a custom indeterminate progress view, used for card payments. */ -"card.waves.progressView.accessibilityLabel" = "進行中"; - /* Label for a cancel button */ "cardPresent.builtIn.modalCheckingDeviceSupport.cancelButton" = "取消"; @@ -8845,12 +8864,6 @@ which should be translated separately and considered part of this sentence. */ /* Formatted price label based on a product's price and quantity. Reads as '8 x $10.00'. Please take care to use the multiplication symbol ×, not a letter x, where appropriate. */ "collapsibleProductCardPriceSummaryViewModel.priceQuantityLine" = "%1$@ × %2$@。"; -/* Error message when collecting an In-Person Payment and the order total has changed remotely. */ -"collectOrderPaymentUseCase.error.message.orderTotalChanged" = "從付款開始至今的訂單總數已變更。 請返回並檢查訂單是否正確,並嘗試重新付款。"; - -/* Change due when the cash amount entered exceeds the order total.Reads as 'Change due: $1.23' */ -"collectcashviewhelper.changedue" = "找零金額:%1$@"; - /* Accessibility hint for selecting a product in the Add Product screen */ "configurationForBlaze.productRowAccessibilityHint" = "選取要進行 Blaze 行銷活動的產品。"; @@ -8944,9 +8957,6 @@ which should be translated separately and considered part of this sentence. */ /* Screen title for the connectivity tool */ "connectivityTool.title" = "對連結進行疑難排解"; -/* Expiration date for a given coupon, displayed in the coupon card. Reads as 'Expired · 18 April 2025'. */ -"couponCardView.expirationText" = "到期日:%@"; - /* Details section title in the Edit Address Form */ "createOrderAddressFormViewModel.addressSection" = "地址"; @@ -9689,6 +9699,18 @@ which should be translated separately and considered part of this sentence. */ /* Title of the local notification to remind scheduling a Blaze campaign. */ "localNotification.BlazeNoCampaignReminder.title" = "強化銷售表現"; +/* Body of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.body" = "請透過簡短的 2 分鐘問卷調查分享體驗,協助我們進行改善。"; + +/* Title of the local notification for current POS merchants survey. */ +"localNotification.PointOfSaleCurrentMerchant.title" = "你對 POS 有什麼感想?"; + +/* Message body of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.body" = "請透過簡短的 2 分鐘問卷調查,協助我們開發你會喜歡的功能。"; + +/* Title of the local notification sent to potential Point of Sale merchants */ +"localNotification.PointOfSalePotentialMerchant.title" = "希望親自銷售嗎?"; + /* Message on the local notification to inform the user about the background upload of product images. */ "localNotification.ProductImageUploader.message" = "你的商品圖片仍在背景上傳。 上傳速度可能變慢,也可能發生錯誤。 為確保順利進行,請保持應用程式開啟,直到上傳完成為止。"; @@ -10307,1164 +10329,9 @@ 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 scanner times out without sending end-of-line character. */ -"pointOfSale.barcodeScan.error.incompleteScan.2" = "掃描器未傳送換行字元"; - -/* Error message shown when there is an unknown networking error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.network" = "網路要求失敗"; - -/* Error message shown when there is an internet connection error while scanning a barcode. */ -"pointOfSale.barcodeScan.error.noInternetConnection" = "沒有網際網路連線"; - -/* Error message shown when parent product is not found for a variation. */ -"pointOfSale.barcodeScan.error.noParentProduct" = "找不到該款式的上層商品"; - -/* 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" = "不支援的商品類別"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.cancelledOnReader.title" = "讀卡機付款取消"; - -/* Button to try to collect a payment again. Presented to users after card reader cancelled on the Point of Sale Checkout */ -"pointOfSale.cardPresent.cancelledOnReader.tryPaymentAgain.button.title" = "再次嘗試付款"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.subtitle" = "卡片已插入"; - -/* Indicates the status of a card reader. Presented to merchants when the card is inserted to the reader */ -"pointOfSale.cardPresent.cardInserted.title" = "可進行付款"; - -/* Button to connect to the card reader, shown on the Point of Sale Checkout as a primary CTA. */ -"pointOfSale.cardPresent.connectReader.button.title" = "連結你的讀卡機"; - -/* Message shown on the Point of Sale checkout while the reader payment is being processed. */ -"pointOfSale.cardPresent.displayReaderMessage.message" = "正在處理付款"; - -/* Label for a cancel button */ -"pointOfSale.cardPresent.modalScanningForReader.cancelButton" = "取消"; - -/* Label within the modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.instruction" = "若要開啟讀卡機,請按一下電源鍵。"; - -/* Title label for modal dialog that appears when searching for a card reader */ -"pointOfSale.cardPresent.modalScanningForReader.title" = "掃瞄讀卡機"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.newOrder.button.title" = "新訂單"; - -/* Button to dismiss payment capture error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.tryPaymentAgain.button.title" = "再次嘗試付款"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.message.1" = "由於網路錯誤,我們無法確認是否付款成功。 請透過具備網路連線的裝置驗證付款。 若失敗,請重新嘗試付款。 若成功,請開啟新訂單。"; - -/* Error message. Presented to users after collecting a payment fails from payment capture error on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentCaptureError.unable.to.confirm.title" = "付款錯誤"; - -/* Button to leave the order when a card payment fails. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.backToCheckout.button.title" = "返回結帳"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.title" = "付款失敗"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout, when it's unlikely that the same card will work. */ -"pointOfSale.cardPresent.paymentError.tryAnotherPaymentMethod.button.title" = "嘗試其他付款方式"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentError.tryPaymentAgain.button.title" = "再次嘗試付款"; - -/* Instruction used on a card payment error from the Point of Sale Checkout telling the merchant how to continue with the payment. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.nextStep.instruction" = "如果你想繼續處理這筆交易,請重試付款。"; - -/* Error message. Presented to users after collecting a payment fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.title" = "付款失敗"; - -/* Title of the button used on a card payment error from the Point of Sale Checkout to go back and try another payment method. */ -"pointOfSale.cardPresent.paymentErrorNonRetryable.tryAnotherPaymentMethod.button.title" = "嘗試其他付款方式"; - -/* Button to come back to order editing when a card payment fails. Presented to users after payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.checkout.button.title" = "編輯訂單"; - -/* Error message. Presented to users after payment intent creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.title" = "付款準備作業錯誤"; - -/* Button to try to collect a payment again. Presented to users after collecting a payment intention creation fails on the Point of Sale Checkout */ -"pointOfSale.cardPresent.paymentIntentCreationError.tryPaymentAgain.button.title" = "再次嘗試付款"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.paymentProcessing.title" = "正在處理付款"; - -/* Title shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingForPayment.title" = "準備中"; - -/* Message shown on the Point of Sale checkout while the reader is being prepared. */ -"pointOfSale.cardPresent.preparingReaderForPayment.message" = "正在準備讀卡機付款作業"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.insert" = "插入卡片"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.present" = "出示卡片"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tap" = "感應卡片"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapInsert" = "感應或插入卡片"; - -/* Label asking users to present a card. Presented to users when a payment is going to be collected */ -"pointOfSale.cardPresent.presentCard.tapSwipeInsert" = "感應、滑動或插入卡片"; - -/* Indicates the status of a card reader. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.presentCard.title" = "準備付款"; - -/* Error message. Presented to users when card reader is not connected on the Point of Sale Checkout */ -"pointOfSale.cardPresent.readerNotConnected.title" = "未連結讀卡機"; - -/* Instruction to merchants shown on the Point of Sale Checkout when card reader is not connected. */ -"pointOfSale.cardPresent.readerNotConnectedOrCash.instruction" = "若要處理此付款,請連結讀卡機或選擇付現。"; - -/* Message shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.message" = "正在替訂單結帳"; - -/* Title shown on the Point of Sale checkout while the order is being validated. */ -"pointOfSale.cardPresent.validatingOrder.title" = "準備中"; - -/* Error message when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.description" = "訂單總金額未達到卡片支付的最低金額 %1$@。 你可以改收現金付款。"; - -/* Error title when the order amount is below the minimum amount allowed for a card payment on POS. */ -"pointOfSale.cardPresent.validatingOrderError.belowMinimumAmount.title" = "無法接受卡片付款"; - -/* Title shown on the Point of Sale checkout while the order validation fails. */ -"pointOfSale.cardPresent.validatingOrderError.title" = "替訂單結帳時發生錯誤"; - -/* Button title to retry order validation. */ -"pointOfSale.cardPresent.validatingOrderError.tryAgain" = "再試一次"; - -/* Indicates to wait while payment is processing. Presented to users when payment collection starts */ -"pointOfSale.cardPresent.waitForPaymentProcessing.message" = "請稍候"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.dismiss.button.title" = "關閉"; - -/* Opens iOS's Device Settings for the app */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.openSettings.button.title" = "開啟裝置設定"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader with insufficient permissions */ -"pointOfSale.cardPresentPayment.alert.bluetoothRequired.title" = "需要藍牙權限"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.cancel.button.title" = "取消"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.title" = "無法連線至讀卡機"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails. This allows the search to continue. */ -"pointOfSale.cardPresentPayment.alert.connectingFailed.tryAgain.button.title" = "再試一次"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to a critically low battery. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.cancel.button.title" = "取消"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.error.details" = "讀卡機電量過低。 請為讀卡機充電,或嘗試其他讀卡機。"; - -/* Button to try again after connecting to a specific reader fails due to a critically low battery. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.retry.button.title" = "再試一次"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to it having a critically low battery */ -"pointOfSale.cardPresentPayment.alert.connectingFailedChargeReader.title" = "無法連線至讀卡機"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to location permissions not being granted. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.cancel.button.title" = "取消"; - -/* Opens iOS's Device Settings for the app to access location services */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.openSettings.button.title" = "開啟裝置設定"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.subtitle" = "需要位置服務權限,才可減少詐騙行為、防範爭議,並確保付款流程安全。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingFailedLocationRequired.title" = "啟用位置服務以允許付款。"; - -/* Button to dismiss. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.dismiss.button.title" = "關閉"; - -/* Error message. Presented to users after collecting a payment fails */ -"pointOfSale.cardPresentPayment.alert.connectingFailedNonRetryable.title" = "連線失敗"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to address problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.cancel.button.title" = "取消"; - -/* Button to open a webview at the admin pages, so that the merchant can update their store address to continue setting up In Person Payments */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.openSettings.button.title" = "輸入地址"; - -/* Button to try again after connecting to a specific reader fails due to address problems. Intended for use after the merchant corrects the address in the store admin pages. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.retry.button.title" = "更新後重試"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to address problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdateAddress.title" = "請更正商店地址以繼續"; - -/* Button to dismiss the alert presented when connecting to a specific reader fails due to postal code problems. This also cancels searching. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.cancel.button.title" = "取消"; - -/* Subtitle of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.errorDetails" = "你可以在「WP-管理員」>「WooCommerce」>「設定 (一般)」設定商店的郵遞區號\/ZIP"; - -/* 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. */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.retry.button.title" = "更新後重試"; - -/* Title of the alert presented when the user tries to connect to a specific card reader and it fails due to postal code problems */ -"pointOfSale.cardPresentPayment.alert.connectingFailedUpdatePostCode.title" = "請更正商店的郵遞區號\/ZIP"; - -/* A title for CTA to present native location permission alert */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.continue.button.title" = "繼續"; - -/* A notice at the bottom explaining that location services can be changed in the Settings app later */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.settingsNotice" = "你稍後可以在「設定」應用程式中變更此選項。"; - -/* A subtitle explaining why location services are needed to make a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.subtitle" = "需要位置服務權限,才可減少詐騙行為、防範爭議,並確保付款流程安全。"; - -/* A title explaining the requirement of location services for making a payment */ -"pointOfSale.cardPresentPayment.alert.connectingLocationPreAlert.title" = "啟用位置服務以允許付款。"; - -/* Label within the modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.instruction" = "請稍候…"; - -/* Title label for modal dialog that appears when connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.connectingToReader.title" = "正在連線至讀卡機"; - -/* Button to dismiss the alert presented when successfully connected to a reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.done.button.title" = "完成"; - -/* Title of the alert presented when the user successfully connects a Bluetooth card reader */ -"pointOfSale.cardPresentPayment.alert.connectionSuccess.title" = "已連結讀卡機"; - -/* Button to allow the user to close the modal without connecting. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.cancel.button.title" = "取消"; - -/* Button in a cell to allow the user to connect to that reader for that cell */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.connect.button.title" = "連結"; - -/* Title of a modal presenting a list of readers to choose from. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.headline" = "找到數個讀卡機"; - -/* Label for a cell informing the user that reader scanning is ongoing. */ -"pointOfSale.cardPresentPayment.alert.foundMultipleReaders.scanning.label" = "正在掃描讀卡機"; - -/* Label for a button that when tapped, cancels the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.cancel.button.title" = "取消"; - -/* Label for a button that when tapped, starts the process of connecting to a card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.connect.button.title" = "連線至讀卡機"; - -/* Dialog description that asks the user if they want to connect to a specific found card reader. They can instead, keep searching for more readers. */ -"pointOfSale.cardPresentPayment.alert.foundReader.description" = "你要連結至此讀卡機嗎?"; - -/* Label for a button that when tapped, continues searching for card readers */ -"pointOfSale.cardPresentPayment.alert.foundReader.keepSearching.button.title" = "繼續搜尋"; - -/* Dialog title that displays the name of a found card reader */ -"pointOfSale.cardPresentPayment.alert.foundReader.title.2" = "找到「%1$@」"; - -/* Label for a cancel button when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.button.cancel.title" = "取消"; - -/* Label that displays when an optional software update is happening */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.message" = "更新完成後,你的讀卡機會自動重新啟動並重新連線。"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.progress.format" = "%.0f%% 已完成"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.optionalReaderUpdateInProgress.title" = "正在更新軟體"; - -/* Button to dismiss the alert presented when payment capture fails. */ -"pointOfSale.cardPresentPayment.alert.paymentCaptureError.understand.button.title" = "我了解"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.progress.format" = "%.0f%% 已完成"; - -/* Dialog title that displays when a software update just finished installing */ -"pointOfSale.cardPresentPayment.alert.readerUpdateCompletion.title" = "已更新軟體"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.cancelButton.title" = "取消"; - -/* Button to retry a software update. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.retryButton.title" = "再試一次"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailed.title" = "我們無法更新你的讀卡機軟體"; - -/* Message presented when an update fails because the reader is low on battery. Please leave the %.0f%% intact, as it represents the current percentage of charge. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.batteryLevelInfo.1" = "讀卡機更新失敗,因為電池電量只有 %.0f%%。 請為讀卡機充電,然後再試一次。"; - -/* Button to dismiss the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.cancelButton.title" = "取消"; - -/* Message presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.noBatteryLevelInfo.1" = "讀卡機更新失敗,因為電量不足。 請為讀卡機充電,然後再試一次。"; - -/* Button to retry the reader search when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.retryButton.title" = "再試一次"; - -/* Title of the alert presented when an update fails because the reader is low on battery. */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedLowBattery.title" = "請為讀卡機充電"; - -/* Button to dismiss. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.cancelButton.title" = "關閉"; - -/* Error message. Presented to users when updating the card reader software fails */ -"pointOfSale.cardPresentPayment.alert.readerUpdateFailedNonRetryable.title" = "我們無法更新你的讀卡機軟體"; - -/* Label for a cancel button when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.button.cancel.title" = "仍然要取消"; - -/* Label that displays when a mandatory software update is happening */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.message" = "你的讀卡機軟體需要更新才能收取款項。 若你取消,系統將中斷讀卡機連線。"; - -/* Label that describes the completed progress of an update being installed (e.g. 15% complete). Keep the %.0f%% exactly as is */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.progress.format" = "%.0f%% 已完成"; - -/* Dialog title that displays when a software update is being installed */ -"pointOfSale.cardPresentPayment.alert.requiredReaderUpdateInProgress.title" = "正在更新軟體"; - -/* Button to dismiss the alert presented when finding a reader to connect to fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.dismiss.button.title" = "關閉"; - -/* Title of the alert presented when the user tries to connect a Bluetooth card reader and it fails */ -"pointOfSale.cardPresentPayment.alert.scanningFailed.title" = "連線至讀卡機失敗"; - -/* The default accessibility label for an `x` close button on a card reader connection modal. */ -"pointOfSale.cardPresentPayment.connection.modal.close.button.accessibilityLabel.default" = "關閉"; - -/* Message drawing attention to issue of payment capture maybe failing. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.message" = "由於網路錯誤,我們不知道是否付款成功。"; - -/* No comment provided by engineer. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.nextSteps" = "請在繼續操作前,透過具網路連線的裝置再次檢查訂單。"; - -/* Title of the alert presented when payment capture may have failed. This draws extra attention to the issue. */ -"pointOfSale.cardPresentPayment.paymentCaptureError.order.may.have.failed.title" = "此訂單可能失敗"; - -/* Subtitle for the cash payment view navigation back buttonReads as 'Total: $1.23' */ -"pointOfSale.cashview.back.navigation.subtitle" = "總計:%1$@"; - -/* Title for the cash payment view navigation back button */ -"pointOfSale.cashview.back.navigation.title" = "現金付款"; - -/* Button to mark a cash payment as completed */ -"pointOfSale.cashview.button.markpaymentcompleted.title" = "將付款標示為完成"; - -/* Error message when the system fails to collect a cash payment. */ -"pointOfSale.cashview.failedtocollectcashpayment.errormessage" = "嘗試處理付款時發生錯誤。 請再試一次。"; - -/* 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 start a barcode scanner setup flow. */ -"pointOfSale.floatingButtons.barcodeScanningSetup.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" = "請稍候"; - -/* The title of the menu button to disconnect a connected card reader, as confirmation. */ -"pointOfSale.floatingButtons.disconnectCardReader.button.title" = "與讀卡機中斷連結"; - -/* The title of the menu button to exit Point of Sale, shown in a popover menu.The action is confirmed in a modal. */ -"pointOfSale.floatingButtons.exit.button.title" = "結束 POS"; - -/* The title of the menu button to get support for Point of Sale, shown in a popover menu. */ -"pointOfSale.floatingButtons.getSupport.button.title" = "取得支援"; - -/* The title of the menu button to access Point of Sale historical orders, shown in a fullscreen view. */ -"pointOfSale.floatingButtons.orders.button.title" = "訂單"; - -/* The title of the menu button to view product restrictions info, shown in a popover menu. We only show simple and variable products in POS, this shows a modal to help explain that limitation. */ -"pointOfSale.floatingButtons.productRestrictionsInfo.button.title" = "我的商品在哪裡?"; - -/* The title of the floating button to indicate that reader is connected. */ -"pointOfSale.floatingButtons.readerConnected.title" = "已連結讀卡機"; - -/* The title of the floating button to indicate that reader is disconnected and prompt connect after tapping. */ -"pointOfSale.floatingButtons.readerDisconnected.title" = "連結你的讀卡機"; - -/* The title of the floating button to indicate that reader is in the process of disconnecting. */ -"pointOfSale.floatingButtons.readerDisconnecting.title" = "正在中斷連結"; - -/* The title of the menu button to access Point of Sale settings. */ -"pointOfSale.floatingButtons.settings.button.title" = "設定"; - -/* The title of the menu button to read Point of Sale documentation, shown in a popover menu. */ -"pointOfSale.floatingButtons.viewDocumentation.button.title" = "文件"; - -/* The accessibility label for the `x` button next to each item in the Point of Sale cart.The button removes the item. The translation should be short, to make it quick to navigate by voice. */ -"pointOfSale.item.removeFromCart.button.accessibilityLabel" = "移除"; - -/* Loading item accessibility label in POS */ -"pointOfSale.itemListCard.loadingItemAccessibilityLabel" = "載入中"; - -/* Button to come back to order editing when coupon validation fails. */ -"pointOfSale.orderSync.couponsError.editOrder" = "編輯訂單"; - -/* Title of the error when failing to validate coupons and calculate order totals */ -"pointOfSale.orderSync.couponsError.errorTitle.2" = "無法使用優惠券"; - -/* Button title to remove a single coupon and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupon" = "移除優惠券"; - -/* Button title to remove coupons and retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.couponsError.removeCoupons" = "移除優惠券"; - -/* Title of the error when failing to synchronize order and calculate order totals */ -"pointOfSale.orderSync.error.title" = "無法載入總金額"; - -/* Button title to retry synchronizing order and calculating order totals */ -"pointOfSale.orderSync.error.tryAgain" = "再試一次"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.card.1" = "已成功支付「%1$@」的卡片款項。"; - -/* Message shown to users when payment is made. %1$@ is a placeholder for the order total, e.g $10.50. Please include %1$@ in your formatted string */ -"pointOfSale.paymentSuccessful.message.cash.1" = "已成功支付「%1$@」的現金款項。"; - -/* Title shown to users when payment is made successfully. */ -"pointOfSale.paymentSuccessful.title" = "付款成功"; - -/* Button title for sending a receipt */ -"pointOfSale.sendreceipt.button.title" = "傳送"; - -/* Text that shows at the top of the receipts screen along the back button. */ -"pointOfSale.sendreceipt.emailReceiptNavigationText" = "電子郵件收據"; - -/* Error message that is displayed when an invalid email is used when emailing a receipt. */ -"pointOfSale.sendreceipt.emailValidationErrorText" = "請輸入有效的電子郵件。"; - -/* Generic error message that is displayed when there's an error emailing a receipt. */ -"pointOfSale.sendreceipt.sendReceiptErrorText" = "嘗試傳送此電子郵件時發生錯誤。 請再試一次。"; - -/* Placeholder for the view where an email address should be entered when sending receipts */ -"pointOfSale.sendreceipt.textfield.placeholder" = "輸入電子郵件地址"; - -/* Button to dismiss the payments onboarding sheet from the POS dashboard. */ -"pointOfSaleDashboard.payments.onboarding.cancel" = "取消"; - -/* Button to dismiss the support form from the POS dashboard. */ -"pointOfSaleDashboard.support.cancel" = "取消"; - -/* Text displayed on Point of Sale settings when card reader battery is unknown. */ -"pointOfSaleSettingsHardwareDetailView.batteryLevelUnknown" = "不明"; - -/* Subtitle describing card reader documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationSubtitle" = "深入了解如何接受行動支付"; - -/* Title for card reader documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderDocumentationTitle" = "文件"; - -/* Text displayed on Point of Sale settings when the card reader is not connected. */ -"pointOfSaleSettingsHardwareDetailView.cardReaderNotConnected" = "未連結讀卡機"; - -/* Navigation title for card readers settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.cardReadersTitle" = "讀卡機"; - -/* Description of Barcode scanner settings configuration. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeSubtitle" = "設定條碼掃描器設定"; - -/* Navigation title of Barcode scanner settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationBarcodeTitle" = "條碼掃描器"; - -/* Description of Card reader settings for connections. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderSubtitle" = "管理讀卡機連線"; - -/* Navigation title of Card reader settings. */ -"pointOfSaleSettingsHardwareDetailView.hardwareNavigationCardReaderTitle" = "讀卡機"; - -/* Navigation title for the hardware settings list. */ -"pointOfSaleSettingsHardwareDetailView.hardwareTitle" = "硬體"; - -/* Text displayed on Point of Sale settings pointing to the card reader battery. */ -"pointOfSaleSettingsHardwareDetailView.readerBatteryTitle" = "電池"; - -/* Text displayed on Point of Sale settings pointing to the card reader model. */ -"pointOfSaleSettingsHardwareDetailView.readerModelTitle" = "模型"; - -/* Subtitle describing barcode scanner documentation in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationSubtitle" = "深入了解 POS 的條碼掃描功能"; - -/* Title for barcode scanner documentation option in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerDocumentationTitle" = "文件"; - -/* Subtitle describing scanner setup in Point of Sale settings. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupSubtitle" = "設定並測試條碼掃描器"; - -/* Title for scanner setup option in barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannerSetupTitle" = "掃描器設定"; - -/* Navigation title for barcode scanners settings in Point of Sale. */ -"pointOfSaleSettingsHardwareDetailView.scannersTitle" = "條碼掃描器"; - -/* Text displayed on Point of Sale settings when store has not been provided. */ -"pointOfSaleSettingsService.storeNameNotSet" = "未設定"; - -/* Label for address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.address" = "地址"; - -/* Label for email field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.email" = "電子郵件"; - -/* Text displayed on Point of Sale settings when any setting has not been provided. */ -"pointOfSaleSettingsStoreDetailView.notSet" = "未設定"; - -/* Label for phone number field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.phoneNumber" = "電話號碼"; - -/* Label for physical address field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.physicalAddress" = "實體地址"; - -/* Section title for receipt information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptInformation" = "收據資訊"; - -/* Label for receipt store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.receiptStoreName" = "商店名稱"; - -/* Label for refund and returns policy field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.refundReturnsPolicy" = "退款和退貨政策"; - -/* Section title for store information in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeInformation" = "商店資訊"; - -/* Label for store name field in Point of Sale settings. */ -"pointOfSaleSettingsStoreDetailView.storeName" = "商店名稱"; - -/* Navigation title for the store details in POS settings. */ -"pointOfSaleSettingsStoreDetailView.storeTitle" = "商店"; - -/* Title of the Point of Sale settings view. */ -"pointOfSaleSettingsView.navigationTitle" = "設定"; - -/* Description of the settings to be found within the Hardware section. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareSubtitle" = "管理硬體連線"; - -/* Title of the Hardware section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHardwareTitle" = "硬體"; - -/* Description of the Help section in Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpSubtitle" = "獲得說明與支援"; - -/* Title of the Help section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationHelpTitle" = "說明"; - -/* Description of the settings to be found within the Local catalog section. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogSubtitle" = "管理目錄設定"; - -/* Title of the Local catalog section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationLocalCatalogTitle" = "目錄"; - -/* Description of the settings to be found within the Store section. */ -"pointOfSaleSettingsView.sidebarNavigationStoreSubtitle" = "商店組態和設定"; - -/* Title of the Store section within Point of Sale settings. */ -"pointOfSaleSettingsView.sidebarNavigationStoreTitle" = "商店"; - -/* Heading for the barcode info modal in POS, introducing barcode scanning feature */ -"pos.barcodeInfoModal.heading" = "掃描條碼"; - -/* New message about Bluetooth barcode scanner settings */ -"pos.barcodeInfoModal.i2.bluetoothMessage" = "• 請於 iOS 藍牙設定中,找到藍牙條碼掃描器。"; - -/* Accessible version of Bluetooth message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.bluetoothMessage.accessible" = "第一步:請於 iOS 藍牙設定中,找到藍牙條碼掃描器。"; - -/* New introductory message for barcode scanner information */ -"pos.barcodeInfoModal.i2.introMessage" = "若要快速建立購物車,可以使用外部掃描器掃描條碼。"; - -/* New message about scanning barcodes on item list */ -"pos.barcodeInfoModal.i2.scanMessage" = "• 在項目清單上掃描條碼,將商品加入購物車。"; - -/* Accessible version of scan message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.scanMessage.accessible" = "第二步:在項目清單上掃描條碼,將商品加入購物車。"; - -/* New message about ensuring search field is disabled during scanning */ -"pos.barcodeInfoModal.i2.searchMessage" = "• 確認掃描條碼時未啟用搜尋欄位。"; - -/* Accessible version of search message without bullet character for screen readers */ -"pos.barcodeInfoModal.i2.searchMessage.accessible" = "第三步:確認掃描條碼時未啟用搜尋欄位。"; - -/* 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」欄位設定條碼。"; - -/* Link text for product barcode setup documentation. Used together with pos.barcodeInfoModal.productSetup.message. */ -"pos.barcodeInfoModal.productSetup.linkText" = "請參閱文件說明"; - -/* Message explaining how to set up barcodes in product inventory. %1$@ is replaced with a text and link to documentation. For example, visit the documentation. */ -"pos.barcodeInfoModal.productSetup.message" = "你可以前往商品的「庫存」分頁,並在「GTIN、UPC、EAN、ISBN」欄位設定條碼。 如需更多詳細資料,%1$@。"; - -/* Accessible version of product setup message, announcing link for screen readers */ -"pos.barcodeInfoModal.productSetup.message.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" = "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.2" = "• 請參閱藍牙條碼掃描器指示,設定 HID 模式。 這通常需要掃描手冊中的特殊條碼。"; - -/* Accessible version of secondary bullet point in barcode info modal, without bullet character for screen readers */ -"pos.barcodeInfoModal.secondaryMessage.accessible.2" = "二:請參閱藍牙條碼掃描器說明,設定 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" = "3:請在 iOS 藍牙設定中,連線條碼掃描器。"; - -/* Title for the back button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.back.button.title" = "返回"; - -/* Accessibility label of a barcode or QR code image that needs to be scanned by a barcode scanner. */ -"pos.barcodeScannerSetup.barcodeImage.accesibilityLabel" = "圖片:條碼掃描器掃描條碼。"; - -/* Message shown when scanner setup is complete */ -"pos.barcodeScannerSetup.complete.instruction.2" = "你可以開始掃描商品了。 之後要連結掃描器時,只要開啟掃描器,即會自動重新連結。"; - -/* Title shown when scanner setup is successfully completed */ -"pos.barcodeScannerSetup.complete.title" = "掃描器設定完畢!"; - -/* Title for the done button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.done.button.title" = "完成"; - -/* Title for the back button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.back.button.title" = "返回"; - -/* Instruction shown when scanner setup encounters an error, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.error.instruction" = "請參閱掃描器的使用手冊,並將該裝置重設為原廠設定,然後重試設定流程。"; - -/* Title for the retry button in barcode scanner setup error step */ -"pos.barcodeScannerSetup.error.retry.button.title" = "重試"; - -/* Title shown when there's an error during scanner setup */ -"pos.barcodeScannerSetup.error.title" = "發現掃描問題"; - -/* Instruction for scanning the Bluetooth HID barcode during scanner setup */ -"pos.barcodeScannerSetup.hidSetup.instruction" = "使用條碼掃描器掃描下方條碼,啟用藍牙 HID 模式。"; - -/* Title for Netum 1228BC scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.netum1228BC.title" = "Netum 1228BC"; - -/* Title for the next button in barcode scanner setup navigation */ -"pos.barcodeScannerSetup.next.button.title" = "下一個"; - -/* Title for other scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.other.title" = "其他"; - -/* Instruction for scanning the Pair barcode to prepare scanner for pairing */ -"pos.barcodeScannerSetup.pairSetup.instruction" = "使用條碼掃描器掃描下方條碼,進入配對模式。"; - -/* Instruction for pairing scanner via device settings with feedback indicators. %1$@ is the scanner model name. */ -"pos.barcodeScannerSetup.pairing.instruction.format" = "啟用藍牙,並在 iOS 藍牙設定中,選取 %1$@ 掃描器。 掃描器配對時會發出嗶聲,並且 LED 燈會保持恆亮。"; - -/* Button title to open device Settings for scanner pairing */ -"pos.barcodeScannerSetup.pairing.settingsButton.title" = "前往裝置設定"; - -/* Title for the scanner pairing step */ -"pos.barcodeScannerSetup.pairing.title" = "替掃描器配對"; - -/* Title format for a product barcode setup step */ -"pos.barcodeScannerSetup.productBarcodeInfo.title" = "如何設定商品條碼"; - -/* Button title for accessing product barcode setup information */ -"pos.barcodeScannerSetup.productBarcodeInformation.button.title" = "如何設定商品條碼"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scanner.setup.title.format" = "掃描器設定"; - -/* Title format for barcode scanner setup step */ -"pos.barcodeScannerSetup.scannerInfo.title" = "掃描器設定"; - -/* Display name for Netum 1228BC barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.netum1228BC.name" = "Netum 1228BC"; - -/* Display name for other/unspecified barcode scanner models */ -"pos.barcodeScannerSetup.scannerType.other.name" = "其他掃描器"; - -/* Display name for Star BSH-20B barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.starBSH20B.name" = "Star BSH-20B"; - -/* Display name for Tera 1200 2D barcode scanner model */ -"pos.barcodeScannerSetup.scannerType.tera12002D.name" = "Tera 1200 2D"; - -/* Heading for the barcode scanner setup selection screen */ -"pos.barcodeScannerSetup.selection.heading" = "設定條碼掃描器"; - -/* Instruction message for selecting a barcode scanner model from the list */ -"pos.barcodeScannerSetup.selection.introMessage" = "從清單中選取型號:"; - -/* Title for Star BSH-20B scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.starBSH20B.title" = "Star BSH-20B"; - -/* Title for Tera 1200 2D scanner option in barcode scanner setup */ -"pos.barcodeScannerSetup.tera12002D.title" = "Tera 1200 2D"; - -/* Instruction for testing the scanner by scanning a barcode */ -"pos.barcodeScannerSetup.test.instruction" = "掃描條碼以測試掃描器。"; - -/* Instruction shown when scanner test times out, suggesting troubleshooting steps */ -"pos.barcodeScannerSetup.test.timeout.instruction" = "掃描條碼以測試掃描器。 萬一問題持續發生,請檢查藍牙設定,然後再試一次。"; - -/* Title shown when scanner test times out without detecting a scan */ -"pos.barcodeScannerSetup.test.timeout.title" = "尚未找到掃描資料"; - -/* Title for the scanner testing step */ -"pos.barcodeScannerSetup.test.title" = "測試掃描器"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartHint" = "點選商品即可\n 新增至購物車"; - -/* Hint to add products to the Cart when this is empty. */ -"pos.cartView.addItemsToCartOrScanHint" = "點選商品即可\n 將其新增至購物車,或 "; - -/* Title at the header for the Cart view. */ -"pos.cartView.cartTitle" = "購物車"; - -/* The title of the menu button to start a barcode scanner setup flow. */ -"pos.cartView.cartTitle.barcodeScanningSetup.button" = "掃描條碼"; - -/* Title for the 'Checkout' button to process the Order. */ -"pos.cartView.checkoutButtonTitle" = "結帳"; - -/* Title for the 'Clear cart' confirmation button to remove all products from the Cart. */ -"pos.cartView.clearButtonTitle.1" = "清除購物車內容"; - -/* Title shown on a toast view that appears when there's no internet connection */ -"pos.connectivity.title" = "沒有網際網路連線"; - -/* A button that dismisses coupon creation sheet */ -"pos.couponCreationSheet.selectCoupon.cancel" = "取消"; - -/* A title for the view that selects the type of coupon to create */ -"pos.couponCreationSheet.selectCoupon.title" = "建立優惠券"; - -/* Body text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitBody" = "任何進行中的訂單將會遺失。"; - -/* Button text of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitButtom" = "結束"; - -/* Title of the exit Point of Sale modal alert */ -"pos.exitPOSModal.exitTitle" = "要結束銷售時點情報系統模式嗎?"; - -/* Button title to dismiss POS ineligible view */ -"pos.ineligible.dismiss.button.title" = "結束 POS"; - -/* Button title to enable the POS feature switch and refresh POS eligibility check */ -"pos.ineligible.enable.pos.feature.and.refresh.button.title.1" = "啟用 POS 功能"; - -/* Button title to refresh POS eligibility check */ -"pos.ineligible.refresh.button.title" = "重試"; - -/* Suggestion for disabled feature switch: enable feature in WooCommerce settings */ -"pos.ineligible.suggestion.featureSwitchDisabled.3" = "必須啟用「銷售時點情報系統」才能繼續。 請於下方啟用 POS 功能,或依序前往「WooCommerce 設定」>「進階」>「功能」,然後從下方的 WordPress 管理員啟用功能,然後再試一次。"; - -/* Suggestion for self deallocated: relaunch */ -"pos.ineligible.suggestion.selfDeallocated" = "若要解決此問題,請嘗試重新啟動應用程式。"; - -/* Suggestion for site settings unavailable: check connection or contact support */ -"pos.ineligible.suggestion.siteSettingsNotAvailable.1" = "我們無法載入網站設定資訊。 請檢查你的網際網路連線並再試一次。 萬一問題持續發生,請聯絡支援團隊尋求協助。"; - -/* Suggestion for unsupported currency with list of supported currencies. %1$@ is a placeholder for the localized country name, and %2$@ is a placeholder for the localized list of supported currency codes. */ -"pos.ineligible.suggestion.unsupportedCurrency.1" = "POS 系統不支援商店的幣別。 「%1$@」目前僅支援:%2$@。 請檢查商店的幣別設定,或聯絡支援團隊尋求協助。"; - -/* Suggestion for unsupported WooCommerce version: update plugin. %1$@ is a placeholder for the minimum required version. */ -"pos.ineligible.suggestion.unsupportedWooCommerceVersion" = "系統不支援你的 WooCommerce 版本。 POS 系統需要 WooCommerce %1$@ 或更新版本。 請更新至最新版本的 WooCommerce。"; - -/* Suggestion for missing WooCommerce plugin: install plugin */ -"pos.ineligible.suggestion.wooCommercePluginNotFound.3" = "我們無法載入 WooCommerce 外掛程式資訊。 請確認是否安裝 WooCommerce 外掛程式,然後從 WordPress 管理員啟用程式。 萬一還是遇到問題,請聯絡支援團隊尋求協助。"; - -/* Title shown in POS ineligible view */ -"pos.ineligible.title" = "無法載入"; - -/* Subtitle appearing on error screens when there is a network connectivity error. */ -"pos.itemList.connectivityErrorSubtitle" = "請檢查你的網際網路連線並再試一次。"; - -/* Title appearing on the coupon list screen when there's an error enabling coupons setting in the store. */ -"pos.itemList.enablingCouponsErrorTitle.2" = "無法啟用優惠券"; - -/* Text appearing on the coupon list screen when there's an error loading a page of coupons after the first. Shown inline with the previously loaded coupons above. */ -"pos.itemList.failedToLoadCouponsNextPageTitle.2" = "無法載入更多優惠券"; - -/* Text appearing on the item list screen when there's an error loading a page of products after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadProductsNextPageTitle.2" = "無法載入更多商品"; - -/* Text appearing on the item list screen when there's an error loading products. */ -"pos.itemList.failedToLoadProductsTitle.2" = "無法載入商品"; - -/* Text appearing on the item list screen when there's an error loading a page of variations after the first. Shown inline with the previously loaded items above. */ -"pos.itemList.failedToLoadVariationsNextPageTitle.2" = "無法載入更多款式"; - -/* Text appearing on the item list screen when there's an error loading variations. */ -"pos.itemList.failedToLoadVariationsTitle.2" = "無法載入款式"; - -/* Title appearing on the coupon list screen when there's an error refreshing coupons. */ -"pos.itemList.failedToRefreshCouponsTitle.2" = "無法重新整理優惠券"; - -/* Generic subtitle appearing on error screens when there's an error. */ -"pos.itemList.genericErrorSubtitle" = "請再試一次。"; - -/* Text of the button appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledAction.2" = "啟用優惠券"; - -/* Subtitle appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledSubtitle.2" = "在自己的商店啟用優惠碼功能,著手為顧客建立優惠碼。"; - -/* Title appearing on the coupon list screen when coupons are disabled. */ -"pos.itemList.loadingCouponsDisabledTitle.2" = "開始接受優惠券"; - -/* Title appearing on the coupon list screen when there's an error loading coupons. */ -"pos.itemList.loadingCouponsErrorTitle.2" = "無法載入優惠券"; - -/* Generic text for retry buttons appearing on error screens. */ -"pos.itemList.retryButtonTitle" = "重試"; - -/* Title at the top of the Point of Sale item list full screen. */ -"pos.itemListFullscreen.title" = "商品"; - -/* Label/placeholder text for the search field for Coupons in Point of Sale. */ -"pos.itemListView.coupons.searchField.label" = "搜尋優惠券"; - -/* Label/placeholder text for the search field for Products in Point of Sale. */ -"pos.itemListView.products.searchField.label.1" = "搜尋商品"; - -/* Fallback label/placeholder text for the search field in Point of Sale. */ -"pos.itemListView.searchField.label" = "搜尋"; - -/* Title of the button at the top of Point of Sale to switch to Coupons list. */ -"pos.itemlistview.couponsTitle" = "優惠券"; - -/* Title at the top of the Point of Sale product selector screen. */ -"pos.itemlistview.title" = "商品"; - -/* Text shown when there's nothing to show before a search term is typed in POS */ -"pos.itemsearch.before.search.emptyListText" = "搜尋商店"; - -/* Title for the list of popular products shown before a search term is typed in POS */ -"pos.itemsearch.before.search.popularProducts.title" = "熱門商品"; - -/* Title for the list of recent searches shown before a search term is typed in POS */ -"pos.itemsearch.before.search.recentSearches.title" = "最近搜尋的內容"; - -/* Accessibility label for button to dismiss a notice banner */ -"pos.noticeView.dismiss.button.accessibiltyLabel" = "關閉"; - -/* Accessibility label for order status badge. %1$@ is the status name (e.g., Completed, Failed, Processing). */ -"pos.orderBadgeView.accessibilityLabel" = "訂單狀態:%1$@"; - -/* Text appearing in the order details pane when there are no orders available. */ -"pos.orderDetailsEmptyView.noOrderToDisplay" = "沒有可顯示的訂單"; - -/* Title at the header for the Order Details empty view. */ -"pos.orderDetailsEmptyView.ordersTitle" = "訂單 "; - -/* Section title for the products list */ -"pos.orderDetailsLoadingView.productsTitle" = "商品"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsLoadingView.totalsTitle" = "總計"; - -/* Accessibility label for discount total. %1$@ is the discount amount. */ -"pos.orderDetailsView.discount.accessibilityLabel" = "折扣總金額:%1$@"; - -/* Label for discount total in the totals section */ -"pos.orderDetailsView.discountTotalLabel" = "折扣總計"; - -/* Accessibility hint for email receipt button on order details view */ -"pos.orderDetailsView.emailReceiptAction.accessibilityHint" = "點選以透過電子郵件傳送訂單收據"; - -/* Label for email receipt action on order details view */ -"pos.orderDetailsView.emailReceiptAction.title" = "電子郵件收據"; - -/* Accessibility label for order header bottom content. %1$@ is order date and time, %2$@ is order status. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel" = "訂單日期:%1$@,狀態:%2$@"; - -/* Email portion of order header accessibility label. %1$@ is customer email address. */ -"pos.orderDetailsView.headerBottomContent.accessibilityLabel.email" = "顧客電子郵件:%1$@"; - -/* Accessibility label for net payment. %1$@ is the net payment amount after refunds. */ -"pos.orderDetailsView.netPayment.accessibilityLabel" = "下次付款時間:%1$@"; - -/* Label for net payment amount after refunds */ -"pos.orderDetailsView.netPaymentLabel" = "付款淨額"; - -/* Accessibility label for total paid. %1$@ is the paid amount. */ -"pos.orderDetailsView.paid.accessibilityLabel" = "總付款金額:%1$@"; - -/* Payment method portion of paid accessibility label. %1$@ is the payment method. */ -"pos.orderDetailsView.paid.accessibilityLabel.method" = "付款方式:%1$@"; - -/* Label for the paid amount */ -"pos.orderDetailsView.paidLabel2" = "總付款金額"; - -/* Accessibility label for product row. %1$@ is quantity, %2$@ is unit price, %3$@ is total price. */ -"pos.orderDetailsView.productRow.accessibilityLabel" = "數量:%1$@,每個 %2$@,總金額 %3$@"; - -/* Label for products subtotal in the totals section */ -"pos.orderDetailsView.productsLabel" = "商品"; - -/* Section title for the products list */ -"pos.orderDetailsView.productsTitle" = "商品"; - -/* Product quantity and price label. %1$d is the quantity, %2$@ is the unit price. */ -"pos.orderDetailsView.quantityLabel" = "%1$d × %2$@"; - -/* Label for refund reason. %1$@ is the reason text. */ -"pos.orderDetailsView.reasonLabel" = "原因:%1$@"; - -/* Accessibility label for refunded amount. %1$@ is the refund amount. */ -"pos.orderDetailsView.refund.accessibilityLabel" = "退款金額:%1$@ "; - -/* Reason portion of refund accessibility label. %1$@ is the refund reason. */ -"pos.orderDetailsView.refund.accessibilityLabel.reason" = "原因:%1$@"; - -/* Label for a refund entry. %1$lld is the refund ID. */ -"pos.orderDetailsView.refundLabel" = "已退款"; - -/* Accessibility label for products subtotal. %1$@ is the subtotal amount. */ -"pos.orderDetailsView.subtotal.accessibilityLabel" = "產品小計:%1$@"; - -/* Accessibility label for taxes. %1$@ is the tax amount. */ -"pos.orderDetailsView.tax.accessibilityLabel" = "稅金:%1$@"; - -/* Label for taxes in the totals section */ -"pos.orderDetailsView.taxesLabel" = "稅金"; - -/* Accessibility label for order total. %1$@ is the total amount. */ -"pos.orderDetailsView.total.accessibilityLabel" = "訂單總金額:%1$@"; - -/* Label for the order total */ -"pos.orderDetailsView.totalLabel" = "總計"; - -/* Section title for the order totals breakdown */ -"pos.orderDetailsView.totalsTitle" = "總計"; - -/* Text appearing on the order list screen when there's an error loading a page of orders after the first. Shown inline with the previously loaded orders above. */ -"pos.orderList.failedToLoadOrdersNextPageTitle" = "無法載入更多訂單"; - -/* Text appearing on the order list screen when there's an error loading orders. */ -"pos.orderList.failedToLoadOrdersTitle" = "無法載入訂單"; - -/* Button text for refreshing orders when list is empty. */ -"pos.orderListView.emptyOrdersButtonTitle" = "重新整理"; - -/* Hint text suggesting to modify search terms when no orders are found. */ -"pos.orderListView.emptyOrdersSearchHint" = "請調整搜尋關鍵字。"; - -/* Subtitle appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchSubtitle" = "我們找不到任何符合搜尋條件的訂單。"; - -/* Title appearing when order search returns no results. */ -"pos.orderListView.emptyOrdersSearchTitle" = "找不到訂單"; - -/* Subtitle appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersSubtitle" = "只要你開始處理 POS 上的銷售時,訂單會顯示於此處。"; - -/* Title appearing when there are no orders to display. */ -"pos.orderListView.emptyOrdersTitle" = "尚無訂單"; - -/* Accessibility hint for order row indicating the action when tapped. */ -"pos.orderListView.orderRow.accessibilityHint" = "點選以檢視更多詳細資料。"; - -/* Accessibility label for order row. %1$@ is order number, %2$@ is total amount, %3$@ is date and time, %4$@ is order status. */ -"pos.orderListView.orderRow.accessibilityLabel" = "訂單#%1$@,總金額 %2$@,%3$@,狀態:%4$@"; - -/* Email portion of order row accessibility label. %1$@ is customer email address. */ -"pos.orderListView.orderRow.accessibilityLabel.email" = "電子郵件:%1$@"; - -/* %1$@ is the order number. # symbol is shown as a prefix to a number. */ -"pos.orderListView.orderTitle" = "#%1$@"; - -/* Title at the header for the Orders view. */ -"pos.orderListView.ordersTitle" = "訂單"; - -/* Accessibility label for the search button in orders list. */ -"pos.orderListView.searchButton.accessibilityLabel" = "搜尋訂單"; - -/* Placeholder for a search field in the Orders view. */ -"pos.orderListView.searchFieldPlaceholder" = "搜尋訂單"; - -/* Text indicating that there are options available for a parent product */ -"pos.parentProductCard.optionsAvailable" = "可用選項"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponSearchSubtitle.2" = "找不到任何使用該名稱的折價券,請嘗試調整搜尋字詞。"; - -/* Text appearing on the coupons list screen as subtitle when there's no coupons found. */ -"pos.pointOfSaleItemListEmptyView.emptyCouponsSubtitle.2" = "可透過優惠券有效刺激業績表現。 是否要建立優惠券?"; - -/* 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 並前往「商品」。"; - -/* Text providing additional search tips when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchHint" = "無法搜尋款式名稱,請使用上層商品名稱。"; - -/* Subtitle text suggesting to modify search terms when no products are found in the POS product search. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchSubtitle.2" = "找不到任何相符的商品,請嘗試調整搜尋字詞。"; - -/* Text appearing on screen when a POS product search returns no results. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSearchTitle.2" = "找不到商品"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsSubtitle.1" = "POS 目前僅支援簡單與多款式商品。"; - -/* Text appearing on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyProductsTitle.2" = "找不到支援的商品"; - -/* Text hinting the merchant to create a product. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductHint" = "若要新增,請結束 POS 再從「商品」分頁編輯此商品。"; - -/* Subtitle text on screen when there are no products to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductSubtitle" = "POS 僅支援已啟用且不可下載的款式。"; - -/* Text appearing on screen when there are no variations to load. */ -"pos.pointOfSaleItemListEmptyView.emptyVariableParentProductTitle.2" = "找不到支援的款式"; - -/* 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" = "清除搜尋內容"; - -/* Action text in the simple products information modal in POS */ -"pos.simpleProductsModal.action" = "在商店管理建立訂單"; - -/* Hint in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.hint.variableAndSimple" = "若要替不支援類型的商品收取款項,請結束 POS 再從「訂單」分頁建立新訂單。"; - -/* Message in the simple products information modal in POS, explaining future plans when variable products are supported */ -"pos.simpleProductsModal.message.future.variableAndSimple" = "其他商品類型將於日後更新提供。"; - -/* Message in the simple products information modal in POS when variable products are supported */ -"pos.simpleProductsModal.message.issue.variableAndSimple" = "目前只有簡單、多款式的非下載商品能使用 POS。"; - -/* Title of the simple products information modal in POS */ -"pos.simpleProductsModal.title" = "為什麼我無法查看自己的商品?"; - -/* Label to be displayed in the product's card when there's stock of a given product */ -"pos.stockStatusLabel.inStockWithQuantity" = "「%1$@」尚有庫存"; - -/* 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" = "新訂單"; - -/* Button title for the receipt button */ -"pos.totalsView.button.sendReceipt" = "電子郵件收據"; - -/* Title for the cash payment button title */ -"pos.totalsView.cash.button.title" = "現金付款"; - -/* Title for discount total amount field */ -"pos.totalsView.discountTotal2" = "折扣總計"; - -/* Title for subtotal amount field */ -"pos.totalsView.subtotal" = "小計"; - -/* Title for taxes amount field */ -"pos.totalsView.taxes" = "稅金"; - -/* Title for total amount field */ -"pos.totalsView.total" = "總計"; - -/* Detail for an error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.detail" = "請調整分割畫面,以便騰出更多空間。"; - -/* An error shown when the Point of Sale is used in iOS split view, but with not enough horizontal space. */ -"pos.unsupportedWidth.title" = "銷售時點情報系統不支援目前的畫面寬度。"; - -/* Label for allow full sync on cellular data toggle in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.allowFullSyncOnCellular.1" = "允許使用行動數據進行完整更新"; - -/* Label for catalog size field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogSize" = "目錄大小"; - -/* Section title for catalog status in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.catalogStatus" = "目錄狀態"; - -/* Label for last full sync field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastFullSync.1" = "上次完整更新時間"; - -/* Label for last incremental update field in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.lastIncrementalSync" = "上次更新時間"; - -/* Section title for managing data usage in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.managingDataUsage.1" = "管理資料使用狀況"; - -/* Section title for manual catalog update in Point of Sale settings. */ -"posSettingsLocalCatalogDetailView.manualCatalogUpdate" = "手動目錄更新"; - -/* Info text explaining when to use manual catalog update. */ -"posSettingsLocalCatalogDetailView.manualUpdateInfo" = "只在發生異常狀況時才重新整理:POS 會自動維持資料最新狀態。"; - -/* Button text for refreshing the catalog manually. */ -"posSettingsLocalCatalogDetailView.refreshCatalog" = "重新整理目錄"; - -/* Navigation title for the local catalog details in POS settings. */ -"posSettingsLocalCatalogDetailView.title" = "目錄設定"; - -/* Format string for catalog size showing product count and variation count. %1$d will be replaced by the product count, and %2$ld will be replaced by the variation count. */ -"posSettingsLocalCatalogViewModel.catalogSizeFormat" = "%1$d 個產品,%2$ld 個款式"; - -/* Text shown when catalog size cannot be determined. */ -"posSettingsLocalCatalogViewModel.catalogSizeUnavailable" = "無法提供目錄大小"; - -/* Text shown when no update has been performed yet. */ -"posSettingsLocalCatalogViewModel.neverSynced" = "未更新"; - -/* Text shown when update date cannot be determined. */ -"posSettingsLocalCatalogViewModel.syncDateUnavailable" = "無法更新日期"; - /* Close title for the navigation bar button on the Print Shipping Label view. */ "print.shipping.label.close.button.title" = "關閉"; @@ -11906,6 +10773,12 @@ which should be translated separately and considered part of this sentence. */ /* Description for the Sales channel filter option, when selecting 'Point of Sale' orders */ "salesChannelFilter.row.pos.description" = "銷售時點情報系統"; +/* Description for the Sales channel filter option, when selecting 'Web Checkout' orders */ +"salesChannelFilter.row.webCheckout.description" = "網頁結帳"; + +/* Description for the Sales channel filter option, when selecting 'WP-Admin' orders */ +"salesChannelFilter.row.wpAdmin.description" = "WP-管理員"; + /* The title for the cancel button in the search screen. */ "searchViewController.cancelButton.tilet" = "取消"; diff --git a/config/Version.Public.xcconfig b/config/Version.Public.xcconfig index b22dd9616c9..860dfde0fa6 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 = 23.5.0.0 +VERSION_LONG = 23.5.0.1 VERSION_SHORT = 23.5 diff --git a/fastlane/metadata/ar-SA/release_notes.txt b/fastlane/metadata/ar-SA/release_notes.txt index bc056423317..c2fe84f265b 100644 --- a/fastlane/metadata/ar-SA/release_notes.txt +++ b/fastlane/metadata/ar-SA/release_notes.txt @@ -1 +1 @@ -يوفر هذا التحديث إصلاحات مهمة لضمان الاستمتاع بتجربة إدارة متجر أكثر سلاسة. لقد قمنا بحل مشكلات التنقّل في تفاصيل الطلب وتصحيح عرض ودجت المتجر على نظام التشغيل iOS 26. قم بالتحديث الآن للاستمتاع بتجربة تطبيق أكثر سلاسة وموثوقية. +يوفر هذا التحديث إدارة أكثر سلاسة للمتجر وتحكمًا أفضل. يمكنك الآن تصفية الطلبات حسب المصدر، وإدارة كل طلبات نقطة البيع مباشرة داخل واجهة نقطة البيع. بالإضافة إلى ذلك، قمنا بإصلاح مشكلة في التمرير على شاشة "إنشاء قسيمة" للحصول على تجربة أكثر سلاسة. diff --git a/fastlane/metadata/de-DE/release_notes.txt b/fastlane/metadata/de-DE/release_notes.txt deleted file mode 100644 index 18518f0d695..00000000000 --- a/fastlane/metadata/de-DE/release_notes.txt +++ /dev/null @@ -1 +0,0 @@ -Dieses Update enthält wichtige Fehlerbehebungen für eine reibungslosere Shop-Verwaltung. Wir haben Navigationsprobleme bei Bestelldetails behoben und die Anzeige von Shop-Widgets in iOS 26 korrigiert. Führe jetzt ein Update durch, um ein optimiertes und zuverlässigeres App-Erlebnis zu erhalten. diff --git a/fastlane/metadata/default/release_notes.txt b/fastlane/metadata/default/release_notes.txt index cbb1e14993a..4a74cc0b757 100644 --- a/fastlane/metadata/default/release_notes.txt +++ b/fastlane/metadata/default/release_notes.txt @@ -1 +1 @@ -This update delivers important fixes for a smoother store management experience. We've resolved navigation issues in order details and corrected store widget display on iOS 26. Update now for a more polished and reliable app experience. +This update brings smoother store management and better control. You can now filter orders by source, and manage all POS orders directly within the POS interface. Plus, we fixed a scrolling issue on the Create Coupon screen for a more seamless experience. \ No newline at end of file diff --git a/fastlane/metadata/es-ES/release_notes.txt b/fastlane/metadata/es-ES/release_notes.txt index 0d3b641c63e..0b1f959599f 100644 --- a/fastlane/metadata/es-ES/release_notes.txt +++ b/fastlane/metadata/es-ES/release_notes.txt @@ -1 +1 @@ -Esta actualización ofrece correcciones importantes para una experiencia de gestión de la tienda más fluida. Hemos resuelto problemas de navegación en los detalles del pedido y corregido la visualización del widget de tienda en iOS 26. Actualiza ya para disfrutar de una experiencia de la aplicación más pulida y fiable. +Esta actualización facilita la gestión de la tienda y mejora el control. Ahora puedes filtrar los pedidos por origen y gestionar todos los pedidos del TPV directamente desde la interfaz del TPV. Además, hemos corregido un problema de desplazamiento en la pantalla de creación de cupones para que la experiencia sea más fluida. diff --git a/fastlane/metadata/fr-FR/release_notes.txt b/fastlane/metadata/fr-FR/release_notes.txt index a92bd67d412..d3c29a0ff0a 100644 --- a/fastlane/metadata/fr-FR/release_notes.txt +++ b/fastlane/metadata/fr-FR/release_notes.txt @@ -1 +1 @@ -Cette mise à jour apporte des correctifs importants pour une expérience de gestion de boutique plus fluide. Nous avons résolu les problèmes de navigation dans les détails de la commande et corrigé l’affichage du widget de la boutique sur iOS 26. Mettez à jour dès maintenant pour une expérience d’application plus soignée et plus fiable. +Cette mise à jour facilite la gestion de la boutique et améliore le contrôle. Vous pouvez désormais filtrer les commandes par source et gérer toutes les commandes du PDV directement dans l’interface PDV. De plus, nous avons résolu un problème de défilement sur l’écran de création de code promo pour une expérience plus fluide. diff --git a/fastlane/metadata/he/release_notes.txt b/fastlane/metadata/he/release_notes.txt index 5a5fe8ec62e..be1b07ac121 100644 --- a/fastlane/metadata/he/release_notes.txt +++ b/fastlane/metadata/he/release_notes.txt @@ -1 +1 @@ -העדכון הזה מספק תיקונים חשובים לחוויית ניהול חלקה יותר של החנות. פתרנו בעיות ניווט בפרטי ההזמנה ותיקנו את התצוגה של וידג'ט החנות ב-iOS 26. כדאי לשדרג עכשיו כדי ליהנות מחוויית שימוש מלוטשת ויציבה יותר באפליקציה. +עדכון זה מאפשר ניהול חלק יותר של החנות ושליטה טובה יותר. עכשיו אפשר לסנן הזמנות לפי מקור, ולנהל את כל ההזמנות של POS ישירות בתוך ממשק POS. בנוסף, תיקנו בעיית גלילה במסך יצירת הקופון כדי להבטיח חוויית שימוש חלקה יותר. diff --git a/fastlane/metadata/id/release_notes.txt b/fastlane/metadata/id/release_notes.txt index 9309e6096a7..d80d071ae22 100644 --- a/fastlane/metadata/id/release_notes.txt +++ b/fastlane/metadata/id/release_notes.txt @@ -1 +1 @@ -Pembaruan ini menghadirkan perbaikan penting untuk pengelolaan toko yang terasa lebih lancar. Masalah navigasi dalam rincian pesanan dan tampilan widget toko pada iOS 26 sudah beres. Perbarui sekarang juga dan rasakan aplikasi yang lebih mulus dan andal. +Pembaruan ini menghadirkan pengelolaan toko yang lebih lancar dan kontrol yang lebih baik. Kini, Anda dapat menyaring pesanan berdasarkan sumber, serta mengelola semua pesanan POS langsung dari antarmuka POS. Selain itu, kami memperbaiki masalah gulir pada layar Buat Kupon untuk pengalaman yang lebih mulus. diff --git a/fastlane/metadata/it/release_notes.txt b/fastlane/metadata/it/release_notes.txt index 58d4f6f193c..f92ccb5c08d 100644 --- a/fastlane/metadata/it/release_notes.txt +++ b/fastlane/metadata/it/release_notes.txt @@ -1 +1 @@ -Questo aggiornamento offre correzioni importanti per un'esperienza di gestione del negozio più fluida. Abbiamo risolto i problemi di navigazione nei dettagli dell'ordine e corretto la visualizzazione del widget del negozio su iOS 26. Aggiorna ora per un'esperienza app più raffinata e affidabile. +Questo aggiornamento migliora la gestione del negozio e gli strumenti di controllo. Ora puoi filtrare gli ordini per origine e gestire tutti gli ordini POS direttamente all'interno dell'interfaccia POS. Inoltre, abbiamo risolto un problema di scorrimento nella schermata di creazione di codici promozionali per un'esperienza più fluida. diff --git a/fastlane/metadata/ja/release_notes.txt b/fastlane/metadata/ja/release_notes.txt index 8cb13bb2963..ed834962d63 100644 --- a/fastlane/metadata/ja/release_notes.txt +++ b/fastlane/metadata/ja/release_notes.txt @@ -1 +1 @@ -今回の更新には、ストア管理の操作がよりスムーズになる重要な修正点が含まれます。 注文の詳細でナビゲーションの問題を解決し、iOS 26のストアウィジェット表示を修正しました。 今すぐ更新して、洗練された信頼性の高いアプリエクスペリエンスを実現しましょう。 +今回の更新により、ストア管理がよりスムーズになり、制御性が向上します。 ソースで注文をフィルターしたり、すべての POS 注文を POS インターフェースで直接管理したりできるようになりました。 さらに、よりシームレスな操作性を実現するために、「クーポンを作成」画面のスクロールに関する問題を修正しました。 diff --git a/fastlane/metadata/ko/release_notes.txt b/fastlane/metadata/ko/release_notes.txt index 97878d6e7eb..02f64ec4a9a 100644 --- a/fastlane/metadata/ko/release_notes.txt +++ b/fastlane/metadata/ko/release_notes.txt @@ -1 +1 @@ -이번 업데이트의 수정 사항으로 더욱 수월한 스토어 관리가 가능합니다. 주문 상세 정보에서의 탐색 문제를 해결하고 iOS 26에서의 스토어 위젯 디스플레이를 수정했습니다. 더욱 깔끔하고 안정적인 앱 경험을 위해 지금 업데이트하세요. +이번 업데이트로 더욱 간결한 스토어 관리와 향상된 제어가 가능합니다. 이제 출처별로 주문을 필터링하고, 모든 POS 주문을 POS 인터페이스 내에서 직접 관리할 수 있습니다. 추가로 더욱 원활한 경험을 위해 쿠폰 생성 화면의 스크롤 문제를 해결했습니다. diff --git a/fastlane/metadata/nl-NL/release_notes.txt b/fastlane/metadata/nl-NL/release_notes.txt index c641f1d0de2..22da0a1232c 100644 --- a/fastlane/metadata/nl-NL/release_notes.txt +++ b/fastlane/metadata/nl-NL/release_notes.txt @@ -1 +1 @@ -Deze update biedt belangrijke oplossingen voor een soepelere winkelbeheerervaring. We hebben navigatieproblemen met bestelgegevens opgelost en de weergave van de winkelwidget op iOS 26 gecorrigeerd. Update nu voor een strakkere en betrouwbare appervaring. +Deze update zorgt voor een soepeler winkelbeheer en betere controle. Je kan nu bestellingen filteren op bron en alle POS-bestellingen rechtstreeks beheren in de POS-interface. Bovendien hebben we een scrolprobleem opgelost op het scherm Coupon aanmaken voor een vloeiendere ervaring. diff --git a/fastlane/metadata/pt-BR/release_notes.txt b/fastlane/metadata/pt-BR/release_notes.txt index dd8b7bc8943..37601dd2d6e 100644 --- a/fastlane/metadata/pt-BR/release_notes.txt +++ b/fastlane/metadata/pt-BR/release_notes.txt @@ -1 +1 @@ -Esta atualização oferece correções importantes para uma experiência de gerenciamento de loja mais tranquila. Resolvemos problemas de navegação nos detalhes do pedido e corrigimos a exibição do widget da loja no iOS 26. Atualize agora para ter uma experiência de aplicativo mais polida e confiável. +Esta atualização oferece gerenciamento de loja mais tranquilo e melhor controle. Agora você pode filtrar pedidos por origem e gerenciar todos os pedidos realizados nos pontos de venda diretamente na interface do POS. Além disso, corrigimos um problema de rolagem na tela Criar cupom para oferecer uma experiência mais suave. diff --git a/fastlane/metadata/ru/release_notes.txt b/fastlane/metadata/ru/release_notes.txt index d94ab95f2f6..1d155fd15fa 100644 --- a/fastlane/metadata/ru/release_notes.txt +++ b/fastlane/metadata/ru/release_notes.txt @@ -1 +1 @@ -Важные исправления, содержащиеся в этом обновлении, упрощают процесс управления магазином. Мы устранили ошибки навигации в сведениях о заказе и исправили работу виджета магазина в iOS 26. Установите обновление, чтобы ваше приложение стало ещё удобнее и надёжнее. +Это обновление позволяет точнее и стабильнее управлять магазином. Заказы теперь можно фильтровать по источникам, а все заказы в POS управляются непосредственно при помощи интерфейса POS. А ещё мы исправили ошибку на экране создания купона, чтобы магазин работал ещё надёжнее. diff --git a/fastlane/metadata/sv/release_notes.txt b/fastlane/metadata/sv/release_notes.txt index 4d3ebdeb7b6..1440e437436 100644 --- a/fastlane/metadata/sv/release_notes.txt +++ b/fastlane/metadata/sv/release_notes.txt @@ -1 +1 @@ -Den här uppdateringen innehåller viktiga korrigeringar för en smidigare butikshanteringsupplevelse. Vi har löst navigeringsproblemen i beställningsinformationen och korrigerat visningen av butikswidgeten i iOS 26. Uppdatera nu för en mer polerad och tillförlitlig appupplevelse. +Denna uppdatering ger smidigare butikshantering och bättre kontroll. Du kan nu filtrera beställningar efter källa och hantera alla POS-beställningar direkt i POS-gränssnittet. Dessutom har vi åtgärdat ett bläddringsproblem på skärmen Skapa rabattkod för en mer sömlös upplevelse. diff --git a/fastlane/metadata/tr/release_notes.txt b/fastlane/metadata/tr/release_notes.txt index 6b1a55668cd..1e3e350d442 100644 --- a/fastlane/metadata/tr/release_notes.txt +++ b/fastlane/metadata/tr/release_notes.txt @@ -1 +1 @@ -Bu güncelleme, daha sorunsuz bir mağaza yönetimi deneyimi için önemli düzeltmeler sunar. Sipariş ayrıntılarındaki gezinme sorunları çözüldü ve iOS 26'da mağaza bileşeni görüntülemesi düzeltildi. Daha şık ve güvenilir bir uygulama deneyimi için hemen güncelleyin. +Bu güncelleme daha sorunsuz bir mağaza yönetimi ve daha iyi kontrol sağlar. Artık siparişleri kaynağa göre filtreleyebilir ve tüm POS siparişlerini doğrudan POS arayüzünden yönetebilirsiniz. Ayrıca, daha sorunsuz bir deneyim için Kupon Oluştur ekranında kaydırma sorununu düzelttik. diff --git a/fastlane/metadata/zh-Hans/release_notes.txt b/fastlane/metadata/zh-Hans/release_notes.txt index 5edec99a6e1..6c54816587d 100644 --- a/fastlane/metadata/zh-Hans/release_notes.txt +++ b/fastlane/metadata/zh-Hans/release_notes.txt @@ -1 +1 @@ -本次更新进行了重要修复,以实现更流畅的商店管理体验。 我们已解决订单详细信息中的导航问题,并修复了 iOS 26 系统中商店小工具的显示故障。 立即更新,享受更完善、更可靠的应用程序体验。 +本次更新带来了更流畅的商店管理体验和更完善的控制功能。 您现在可以按来源筛选订单,并在 POS 界面中直接管理所有 POS 订单。 此外,我们还修复了“创建优惠券”屏幕上的滚动问题,为您提供更流畅的使用体验。 diff --git a/fastlane/metadata/zh-Hant/release_notes.txt b/fastlane/metadata/zh-Hant/release_notes.txt index bd1e2c85d25..78f877b02fd 100644 --- a/fastlane/metadata/zh-Hant/release_notes.txt +++ b/fastlane/metadata/zh-Hant/release_notes.txt @@ -1 +1 @@ -本次更新提供重要修正內容,讓商店管理體驗更順暢。 我們已解決訂單詳細資料的導覽問題,並已修正 iOS 26 上的商店小工具顯示結果。 立即更新即可享有更美觀、可靠的應用程式體驗。 +這項更新可帶來更流暢的商店管理與更完善的控制機制。 現在你可依照來源篩選訂單,並直接透過 POS 介面管理所有 POS 訂單。 此外,我們也修正了「建立折價券」畫面的捲動問題,提供更流暢的使用體驗。